



averaging processing times of 388 days
13000 unanswered requests
the State Department would need "45 to 66 years to review less than a year’s worth of emails from one individual concerning the 2016 election that the nonprofit had requested"
Handwritten form transcribed to Excel spreadsheet
Decisions made based on brief request summaries
Decisions made by multiple people?



kw_text = " ".join(request for request in kw_df.Summary_of_Request)
# Remove non-informative cases where privacy has been protected
kw_text = kw_text.replace("name removed", "")
kw_text = kw_text.replace("address removed", "")
#print(kw_text)
print("There are {} words in the combination of all requests.".format(len(kw_text)))
kw_cloud = WordCloud().generate(kw_text)
There are 78321 words in the combination of all requests.

tor_df.head()
| Request_Number | Request_Type | Source | Summary | Disposition | Name | |
|---|---|---|---|---|---|---|
| 0 | AG-2015-00001 | General Records | Public | All e-mails to and from Mario Crognale, Direct... | NaN | Disclosed in Part: Partially Exempt |
| 1 | AG-2015-00001 | General Records | Public | All e-mails to and from Mario Crognale, Direct... | NaN | Disclosed in Part: Partially Exempt |
| 2 | AG-2015-00002 | General Records | Public | A copy of building department file # 400812-19... | NaN | Disclosed in Part: Partially Exempt |
| 3 | AG-2015-00003 | General Records | Academic/Researcher | For the period 2004-01-01 to 2014-12-18: -aver... | NaN | All Disclosed |
| 4 | AG-2015-00004 | General Records | Business | Copies of all application submitted (including... | NaN | All Disclosed |

# Now let's fill all of the empty 'Disposition' spots with the Name as these columns are either/or
tor_df['Disposition'] = tor_df['Disposition'].fillna(tor_df['Name'])
tor_df.isnull().sum()
tor_df = tor_df.drop(['Name'], axis=1)
# Now rename the 'Disposition' and 'Summary' columns so that they match what we have from KW
tor_df.columns = ['Request_Number', 'Request_Type', 'Source', 'Summary_of_Request', 'Decision']
tor_df.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 10699 entries, 0 to 10698 Data columns (total 5 columns): Request_Number 10425 non-null object Request_Type 10114 non-null object Source 10114 non-null object Summary_of_Request 10699 non-null object Decision 10674 non-null object dtypes: object(5) memory usage: 418.0+ KB
tor_text = " ".join(request for request in tor_df.Summary_of_Request)
# Remove non-informative cases where privacy has been protected
tor_text = tor_text.replace("address removed", "")
tor_text = tor_text.replace("name removed", "")
print("There are {} words in the combination of all requests.".format(len(tor_text)))
tor_cloud = WordCloud().generate(tor_text)
There are 1628557 words in the combination of all requests.

all_df = pd.concat([kw_df, tor_df], axis=0, ignore_index=True, sort=True, join_axes=[tor_df.columns])
all_df.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 11521 entries, 0 to 11520 Data columns (total 5 columns): Request_Number 11247 non-null object Request_Type 10936 non-null object Source 10936 non-null object Summary_of_Request 11521 non-null object Decision 11496 non-null object dtypes: object(5) memory usage: 450.1+ KB
import spacy
import nltk
from spacy.lang.en import English
from nltk.corpus import stopwords
from sklearn.feature_extraction.stop_words import ENGLISH_STOP_WORDS
from wordcloud import WordCloud, STOPWORDS
import string
parser = English()
STOPLIST = set(stopwords.words('english') + list(ENGLISH_STOP_WORDS)+ list(STOPWORDS))
SYMBOLS = " ".join(string.punctuation).split(" ") + ["-", "...", "”", "”"]
def tokenizeText(sample):
tokens = parser(sample)
lemmas = []
for tok in tokens:
#lemmatizes, converts to lowercase, omits pronouns
#print("Original token: ", tok)
#print("Token pos: ", tok.lemma_)
#print("Token pos2: ", tok.lemma_.lower().strip() if tok.lemma_ != "-PRON-" else tok.lower_)
lemmas.append(tok.lemma_.lower().strip() if tok.lemma_ != "-PRON-" else tok.lower_)
tokens = lemmas
#removes stop word tokens and symbols
tokens = [tok for tok in tokens if tok not in STOPLIST]
tokens = [tok for tok in tokens if tok not in SYMBOLS]
return tokens
import nltk
#nltk.download('wordnet')
from nltk.corpus import wordnet as wn
def get_lemma(word):
#print("un-lemmad word: ", word)
lemma = wn.morphy(word)
#print("lemma-d word: ", lemma)
if lemma is None:
return word
else:
return lemma
from nltk.stem.wordnet import WordNetLemmatizer
def get_lemma2(word):
return WordNetLemmatizer().lemmatize(word)
en_stop = set(nltk.corpus.stopwords.words('english'))
print(len(en_stop))
print(len(STOPLIST))
179 414
def prepare_text_for_lda(text):
# tokenizes text using spacy
tokens = tokenizeText(text)
# removes tokens less that five characters
tokens = [token for token in tokens if len(token) > 4]
# here we are lemmatizing again too; noticed that previous lemmatization doesn't handle plurals
tokens = [get_lemma(token) for token in tokens]
return tokens
all_df['Summary_of_Request'] = all_df['Summary_of_Request'].map(lambda x: x.replace("name removed", ""))
all_df['Summary_of_Request'] = all_df['Summary_of_Request'].map(lambda x: x.replace("address removed", ""))
all_df['Summary_of_Request'] = all_df['Summary_of_Request'].map(lambda x: x.replace("location removed", ""))
#print(all_df['Summary_of_Request'])
import random
text_data = []
for request in (all_df['Summary_of_Request']):
print("Original Request: ", request)
tokens = prepare_text_for_lda(request)
print("Tokens prepared for LDA: ", tokens)
#if random.random() > .99:
text_data.append(tokens)
#print(text_data)
Original Request: Notes written by members of the Maintenance Review Committee for Clerk III, Healthy Environments.
Tokens prepared for LDA: ['note', 'write', 'member', 'maintenance', 'review', 'committee', 'clerk', 'healthy', 'environment']
Original Request: Director's submission regarding SARB appeal and GWA client file for {}.
Tokens prepared for LDA: ['director', 'submission', 'regard', 'appeal', 'client']
Original Request: Performance evaluations, probationary report, supervisor's notes, and working copies of supervisor's performance notes for {}.
Tokens prepared for LDA: ['performance', 'evaluation', 'probationary', 'report', 'supervisor', 'supervisor', 'performance']
Original Request: Details of support assignment on assistance payments for {}.
Tokens prepared for LDA: ['details', 'support', 'assignment', 'assistance', 'payment']
Original Request: Weigh slips for landfill truck and ticket issued to {company }.
Tokens prepared for LDA: ['weigh', 'landfill', 'truck', 'ticket', 'issue', 'company']
Original Request: Complaint sent to Income Maintenance by Police regarding {}.
Tokens prepared for LDA: ['complaint', 'income', 'maintenance', 'police', 'regard']
Original Request: List of companies being monitored for sewer discharge and list of companies paying a sewer surcharge.
Tokens prepared for LDA: ['company', 'monitor', 'sewer', 'discharge', 'company', 'sewer', 'surcharge']
Original Request: Pricing for supplies and rentals regarding the Home Care Program.
Tokens prepared for LDA: ['pricing', 'supply', 'rental', 'regard', 'program']
Original Request: Personal information for {} from five job competitions.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: General information on job competitions (5) Social Services and Community Health
Tokens prepared for LDA: ['general', 'information', 'competition', 'social', 'services', 'community', 'health']
Original Request: Contents of GWA client file for {}, including accusations of threats.
Tokens prepared for LDA: ['contents', 'client', 'include', 'accusation', 'threat']
Original Request: Personal Information for {} in Competition File 93-70.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Information pertaining to FBA overpayment for {}.
Tokens prepared for LDA: ['information', 'pertain', 'overpayment']
Original Request: Personal Information for {} in Competition File 93-070.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: General Information in Competition File 93-070.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Supervisor/Manager notes for {}.
Tokens prepared for LDA: ['supervisor', 'manager']
Original Request: General Information in Caseworker I, Income Maintenance Competition File.
Tokens prepared for LDA: ['general', 'information', 'caseworker', 'income', 'maintenance', 'competition']
Original Request: Personal Information for {} in Caseworker I, Income Maintenance Competition File.
Tokens prepared for LDA: ['personal', 'information', 'caseworker', 'income', 'maintenance', 'competition']
Original Request: General Information in Competition Files 93-163 through 93-167.
Tokens prepared for LDA: ['general', 'information', 'competition', 'file']
Original Request: Personal Information for {} in Competition Files 93-163 through 93-167.
Tokens prepared for LDA: ['personal', 'information', 'competition', 'file']
Original Request: Sewer surcharge information for companies paying surcharge, BOD levels and values, surcharge cost and volumes for 1991 and 1992.
Tokens prepared for LDA: ['sewer', 'surcharge', 'information', 'company', 'surcharge', 'level', 'value', 'surcharge', 'volume']
Original Request: General Information in Competition File 93-199.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-199.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Interview notes and other records related to selection as Parental Support Worker for {}.
Tokens prepared for LDA: ['interview', 'record', 'relate', 'selection', 'parental', 'support', 'worker']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: General Information in Competition File 93-228.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-228.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: General Information in Competition File 93-221.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-221.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: GWA client file for {}.
Tokens prepared for LDA: ['client']
Original Request: Immigration Sponsorship form in Income Maintenance Intake file for {}, specifically the section completed by Immigration Canada.
Tokens prepared for LDA: ['immigration', 'sponsorship', 'income', 'maintenance', 'intake', 'specifically', 'section', 'complete', 'immigration', 'canada']
Original Request: Letter from Victoria Park Community Homes Management to Income Maintenance regarding {}.
Tokens prepared for LDA: ['letter', 'victoria', 'community', 'home', 'management', 'income', 'maintenance', 'regard']
Original Request: Subdivision File 30T86014, R.P. 1503, circulation comments and planning reports by North Dumfries and Region of Waterloo.
Tokens prepared for LDA: ['subdivision', '30t86014', 'circulation', 'comment', 'report', 'north', 'dumfries', 'region', 'waterloo']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Supervisor's notes held by {} in Waste Management for {}.
Tokens prepared for LDA: ['supervisor', 'waste', 'management']
Original Request: General Information in Competition File 93-200.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-200.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: GWA client file for {} benefits terminated due to OSAP.
Tokens prepared for LDA: ['client', 'benefit', 'terminate']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Results of 6 quotations from 1986 to 1992.
Tokens prepared for LDA: ['result', 'quotation']
Original Request: General Information in Competition File 93-253.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-253.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: General Information in Competition File 93-297.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-297.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: General Information in Competition Files 93-294, 93-295, and 93-310.
Tokens prepared for LDA: ['general', 'information', 'competition', 'file']
Original Request: Personal Information for {} in Competition Files 93-294, 93-295, and 93-310.
Tokens prepared for LDA: ['personal', 'information', 'competition', 'file']
Original Request: General Information in Competition File 93-308.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-308.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Human Resources File Personal File for {}, including Employee Relations notes.
Tokens prepared for LDA: ['human', 'resource', 'personal', 'include', 'employee', 'relations']
Original Request: Notes held by Manager and Director for {}.
Tokens prepared for LDA: ['note', 'manager', 'director']
Original Request: Supervisor's and Manager's notes for {}.
Tokens prepared for LDA: ['supervisor', 'manager']
Original Request: Supervisor's and Director's notes for {}.
Tokens prepared for LDA: ['supervisor', 'director']
Original Request: Supervisor's and Manager's notes for {}.
Tokens prepared for LDA: ['supervisor', 'manager']
Original Request: Restaurant inspection reports for {}, Waterloo.
Tokens prepared for LDA: ['restaurant', 'inspection', 'report', 'waterloo']
Original Request: Home Child Care Provider File for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: Personal Information for { in Competition File 93-188.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Records regarding septic/sewer application for {}.
Tokens prepared for LDA: ['record', 'regard', 'septic', 'sewer', 'application']
Original Request: Income Maintenance client file for {} regarding SARB Appeal due to OSAP.
Tokens prepared for LDA: ['income', 'maintenance', 'client', 'regard', 'appeal']
Original Request: Quotation Q93-1233 including bidders and bid values as well as the winning bid prices.
Tokens prepared for LDA: ['quotation', 'include', 'bidder', 'value', 'price']
Original Request: Groundwater chemistry data supplied by {company } to the Region of Waterloo.
Tokens prepared for LDA: ['groundwater', 'chemistry', 'datum', 'supply', 'company', 'region', 'waterloo']
Original Request: Competition Files 93-390,93-391,and 93-392.
Tokens prepared for LDA: ['competition', 'file', '390,93', '391,and']
Original Request: Personal Information for {} from Competition Files 93-390,93-391,and 93-392.
Tokens prepared for LDA: ['personal', 'information', 'competition', 'file', '390,93', '391,and']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Food and beverage receipts for Waterloo Regional Police Service.
Tokens prepared for LDA: ['beverage', 'receipt', 'waterloo', 'regional', 'police', 'service']
Original Request: FBA application for {} and payment summary for 1992.
Tokens prepared for LDA: ['application', 'payment', 'summary']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Home Child Care Provider File for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: Health Inspection reports for {} from Oct. 28/92 to April 1993.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'october', '28/92', 'april']
Original Request: Pay equity information: 1) Job descriptions, 4 positions 2) pay equity plan 3) name, address of consultant.
Tokens prepared for LDA: ['equity', 'information', 'description', 'position', 'equity', 'address', 'consultant']
Original Request: Records from FBA client file for {} regarding overpayments from July 1993 to present.
Tokens prepared for LDA: ['record', 'client', 'regard', 'overpayment', 'present']
Original Request: Fire Inspection records.
Tokens prepared for LDA: ['inspection', 'record']
Original Request: Hydro Meter records.
Tokens prepared for LDA: ['hydro', 'meter', 'record']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Food Poisoning Records regarding {} since January 1992.
Tokens prepared for LDA: ['poisoning', 'record', 'regard', 'january']
Original Request: Assessment roll information for Kitchener, Waterloo and Cambridge.
Tokens prepared for LDA: ['assessment', 'information', 'kitchener', 'waterloo', 'cambridge']
Original Request: Geotechnical report for septic system at {addresses removed}, Cambridge.
Tokens prepared for LDA: ['geotechnical', 'report', 'septic', 'address', 'remove', 'cambridge']
Original Request: Inspection records for {} for the last 6 years.
Tokens prepared for LDA: ['inspection', 'record']
Original Request: Home Child Care Provider File for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: General Information in Competition File 93-374.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 93-374.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: 1) Employment Equity Targeting of Position 2) Grievance Process regarding management hiring 3) Start date of employee.
Tokens prepared for LDA: ['employment', 'equity', 'target', 'position', 'grievance', 'process', 'regard', 'management', 'start', 'employee']
Original Request: Prices for quotation Q94-1149 regarding heavy equipment rental.
Tokens prepared for LDA: ['price', 'quotation', 'regard', 'heavy', 'equipment', 'rental']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Any records regarding {" and sexually transmitted diseases held by Public Health.
Tokens prepared for LDA: ['record', 'regard', 'sexually', 'transmit', 'disease', 'public', 'health']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Various records regarding intersection {intersection removed}.
Tokens prepared for LDA: ['various', 'record', 'regard', 'intersection', 'intersection', 'removed}.']
Original Request: Personal Information for {} in two job competition files.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Results of water tests for wells at {}.
Tokens prepared for LDA: ['result', 'water']
Original Request: Statements and submissions related to harassment investigation.
Tokens prepared for LDA: ['statement', 'submission', 'relate', 'harassment', 'investigation']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Personal information held by supervisors in Engineering Department for {}.
Tokens prepared for LDA: ['personal', 'information', 'supervisor', 'engineering', 'department']
Original Request: Results of other applicants on screening and information sheets for Competition Files 94-71 and 94-212.
Tokens prepared for LDA: ['result', 'applicant', 'screen', 'information', 'sheet', 'competition', 'file']
Original Request: Other applicants scores on screening and interviewing sheets for Competition File 94-235.
Tokens prepared for LDA: ['applicant', 'score', 'screen', 'interview', 'sheet', 'competition']
Original Request: Personal Information for {} in Competition File 94-235.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Interview questions for Competition File 94-225.
Tokens prepared for LDA: ['interview', 'question', 'competition']
Original Request: Personal information for {} in Competition File 94-225.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Correction to 10 items in Home Childcare Provider File for {}.
Tokens prepared for LDA: ['correction', 'childcare', 'provider']
Original Request: General information in Competition File 94-227.
Tokens prepared for LDA: ['general', 'information', 'competition']
Original Request: Personal information for {} in Competition File 94-227.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Names and addresses of specified types of food-related businesses.
Tokens prepared for LDA: ['names', 'address', 'specify', 'relate', 'business']
Original Request: A complete copy of GWA client file for {}.
Tokens prepared for LDA: ['complete', 'client']
Original Request: Request on dog bite incident.
Tokens prepared for LDA: ['request', 'incident']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Road conditions and snow clearing operations.
Tokens prepared for LDA: ['condition', 'clear', 'operation']
Original Request: Personal Information for {} in Competition File 94-277.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Statement indicating why not accepted for job interview.
Tokens prepared for LDA: ['statement', 'indicate', 'accept', 'interview']
Original Request: Quotation File Q94-1194.
Tokens prepared for LDA: ['quotation']
Original Request: Confirmation of ownership status of {} in a cab company.
Tokens prepared for LDA: ['confirmation', 'ownership', 'status', 'company']
Original Request: Screening and interview notes/results in Competition Files 94-274 and 94-291.
Tokens prepared for LDA: ['screening', 'interview', 'result', 'competition', 'file']
Original Request: Personal Information for {} in Competition Files 94-274 and 94-291.
Tokens prepared for LDA: ['personal', 'information', 'competition', 'file']
Original Request: Statement giving reason requester is not acceptable for employment.
Tokens prepared for LDA: ['statement', 'reason', 'requester', 'acceptable', 'employment']
Original Request: Home Child Care file for {} containing interaction between {} and Home Child Care provider.
Tokens prepared for LDA: ['child', 'contain', 'interaction', 'child', 'provider']
Original Request: Information regarding {} applications to positions in Water/Wastewater Division.
Tokens prepared for LDA: ['information', 'regard', 'application', 'position', 'water', 'wastewater', 'division']
Original Request: History for bites and offences of dog owned by {}.
Tokens prepared for LDA: ['history', 'offence']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Supervisor's files for {} in Income Maintenance.
Tokens prepared for LDA: ['supervisor', 'income', 'maintenance']
Original Request: Correction of records in harassment investigation file for {}.
Tokens prepared for LDA: ['correction', 'record', 'harassment', 'investigation']
Original Request: Notes from Home Child Care Provider file for {} regarding third party comments about quality of care.
Tokens prepared for LDA: ['note', 'child', 'provider', 'regard', 'party', 'comment', 'quality']
Original Request: Referral form to Employment Services from GWA caseworker for {}.
Tokens prepared for LDA: ['referral', 'employment', 'services', 'caseworker']
Original Request: Water Resource Protection Issues for Mannheim recharge system.
Tokens prepared for LDA: ['water', 'resource', 'protection', 'issue', 'mannheim', 'recharge']
Original Request: Income Maintenance file for {} and related information.
Tokens prepared for LDA: ['income', 'maintenance', 'relate', 'information']
Original Request: Competition File 94-360.
Tokens prepared for LDA: ['competition']
Original Request: Personal Information for {} in Competition File 94-360.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Correspondence to Income Maintenance caseworker for {} between 91/1/1 and 92/3/30.
Tokens prepared for LDA: ['correspondence', 'income', 'maintenance', 'caseworker', '91/1/1', '92/3/30']
Original Request: Postings for competitions {} applied to from March 30/92 to present.
Tokens prepared for LDA: ['posting', 'competition', 'apply', 'march', '30/92', 'present']
Original Request: Home Child Care Provider File for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: Receipts for food and beverages submitted by Waterloo Regional Police Service from June 1 to October 1, 1994.
Tokens prepared for LDA: ['receipts', 'beverage', 'submit', 'waterloo', 'regional', 'police', 'service', 'october']
Original Request: Records of calls to 976 and 1-900 numbers made by the Waterloo Regional Police Service from January 1 to December 31,1994.
Tokens prepared for LDA: ['record', 'number', 'waterloo', 'regional', 'police', 'service', 'january', 'december', '31,1994']
Original Request: Healthy Environments reports and lab results regarding alleged food poisoning of eight individuals at {}.
Tokens prepared for LDA: ['healthy', 'environment', 'report', 'result', 'regard', 'allege', 'poison', 'individual']
Original Request: Letter sent by {} to {} which included a reference to requester.
Tokens prepared for LDA: ['letter', 'include', 'reference', 'requester']
Original Request: Other applicants' information in Competition File 94-336.
Tokens prepared for LDA: ['applicant', 'information', 'competition']
Original Request: Personal Information for {} in Competition File 94-336.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: All personal file records for {} put on file since July 15, 1994.
Tokens prepared for LDA: ['personal', 'record']
Original Request: Notes held by supervisors on {} put on file since July 15, 1994.
Tokens prepared for LDA: ['note', 'supervisor']
Original Request: Complaints/violations regarding {}, Cambridge.
Tokens prepared for LDA: ['complaint', 'violation', 'regard', 'cambridge']
Original Request: Deletion of an entry in Home Child Care Provider file narrative for {}.
Tokens prepared for LDA: ['deletion', 'entry', 'child', 'provider', 'narrative']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Investigation records regarding salmonella berta outbreak.
Tokens prepared for LDA: ['investigation', 'record', 'regard', 'salmonella', 'berta', 'outbreak']
Original Request: {Name removed} personal information in salmonella berta outbreak file.
Tokens prepared for LDA: ['remove', 'personal', 'information', 'salmonella', 'berta', 'outbreak']
Original Request: Screening records for Competition File 94-450.
Tokens prepared for LDA: ['screening', 'record', 'competition']
Original Request: Screening records for {} in Competition File 94-450.
Tokens prepared for LDA: ['screening', 'record', 'competition']
Original Request: Plans, diagrams, and related information regarding signage related to {} motor vehicle accident.
Tokens prepared for LDA: ['plan', 'diagram', 'relate', 'information', 'regard', 'signage', 'relate', 'motor', 'vehicle', 'accident']
Original Request: Competition File for Senior Clerk Joblink Position.
Tokens prepared for LDA: ['competition', 'senior', 'clerk', 'joblink', 'position']
Original Request: {Name removed} personal information from Competition File for Senior Clerk Joblink Position.
Tokens prepared for LDA: ['remove', 'personal', 'information', 'competition', 'senior', 'clerk', 'joblink', 'position']
Original Request: Competition file for Senior Clerk Joblink Position.
Tokens prepared for LDA: ['competition', 'senior', 'clerk', 'joblink', 'position']
Original Request: {Name removed} personal information from Competition File for Senior Clerk Joblink Position.
Tokens prepared for LDA: ['remove', 'personal', 'information', 'competition', 'senior', 'clerk', 'joblink', 'position']
Original Request: Quotation file Q95-1129 including bidders and prices for heavy equipment rental.
Tokens prepared for LDA: ['quotation', 'include', 'bidder', 'price', 'heavy', 'equipment', 'rental']
Original Request: Letters sent to Caseworker from April 1994 to March 1995.
Tokens prepared for LDA: ['letters', 'caseworker', 'april', 'march']
Original Request: Screening criteria and marks for 55 job competitions identified by {}.
Tokens prepared for LDA: ['screening', 'criterium', 'competition', 'identify']
Original Request: Letter about {} sent by {} to Income Maintenance Caseworker.
Tokens prepared for LDA: ['letter', 'income', 'maintenance', 'caseworker']
Original Request: Information regarding successful and other candidates in Competition 94-460.
Tokens prepared for LDA: ['information', 'regard', 'successful', 'candidate', 'competition']
Original Request: Personal information for {} in Competition 94-460.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Interview scores and results regarding interview process for Competition 95-057.
Tokens prepared for LDA: ['interview', 'score', 'result', 'regard', 'interview', 'process', 'competition']
Original Request: Personal information for {} in Competition 95-057.
Tokens prepared for LDA: ['personal', 'information', 'competition']
Original Request: Home Care client chart for {} from September 26, 1975 to October 17, 1975.
Tokens prepared for LDA: ['client', 'chart', 'september', 'october']
Original Request: Request to attach statement of disagreement to job reference.
Tokens prepared for LDA: ['request', 'attach', 'statement', 'disagreement', 'reference']
Original Request: Investigation report for glass contaminated pizza and lab analysis results of pizza.
Tokens prepared for LDA: ['investigation', 'report', 'glass', 'contaminate', 'pizza', 'analysis', 'result', 'pizza']
Original Request: Environmental information regarding CN rail spur on {}, Elmira.
Tokens prepared for LDA: ['environmental', 'information', 'regard', 'elmira']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Information held by the Public Health Department regarding water quality on CN Spur in Elmira.
Tokens prepared for LDA: ['information', 'public', 'health', 'department', 'regard', 'water', 'quality', 'elmira']
Original Request: A complete copy of FBA client file for {}.
Tokens prepared for LDA: ['complete', 'client']
Original Request: Phase I environmental site assessment on three sites in Cambridge and one in Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge', 'waterloo']
Original Request: Information regarding the Region's position that {} has poor interpersonal skills.
Tokens prepared for LDA: ['information', 'regard', 'region', 'position', 'interpersonal', 'skill']
Original Request: All records regarding {}, specifically attendance at Home Child Care provider and behaviour.
Tokens prepared for LDA: ['record', 'regard', 'specifically', 'attendance', 'child', 'provider', 'behaviour']
Original Request: Human Resources Personal File for {}.
Tokens prepared for LDA: ['human', 'resource', 'personal']
Original Request: Interview scoring records from Competitions 95-343 and 95-391.
Tokens prepared for LDA: ['interview', 'score', 'record', 'competition']
Original Request: Interview scoring records for {} from Competitions 95-343 and 95-391.
Tokens prepared for LDA: ['interview', 'score', 'record', 'competition']
Original Request: Names, titles and professional addresses of Region of Waterloo management staff.
Tokens prepared for LDA: ['names', 'title', 'professional', 'address', 'region', 'waterloo', 'management', 'staff']
Original Request: Benzene contamination of groundwater in Bamberg.
Tokens prepared for LDA: ['benzene', 'contamination', 'groundwater', 'bamberg']
Original Request: Information regarding complaints of co-residency in FBA client file for {}.
Tokens prepared for LDA: ['information', 'regard', 'complaint', 'residency', 'client']
Original Request: Names, titles and professional addresses of management staff at Sunnyside Home.
Tokens prepared for LDA: ['names', 'title', 'professional', 'address', 'management', 'staff', 'sunnyside']
Original Request: List of companies paying a sewer surcharge including address and name of contact person.
Tokens prepared for LDA: ['company', 'sewer', 'surcharge', 'include', 'address', 'contact', 'person']
Original Request: Records regarding sick leave of absence while in employment with the Waterloo Regional Police Service.
Tokens prepared for LDA: ['record', 'regard', 'leave', 'absence', 'employment', 'waterloo', 'regional', 'police', 'service']
Original Request: Names and addresses of home-based food premises in Cambridge from 1992 to 1995.
Tokens prepared for LDA: ['names', 'address', 'premise', 'cambridge']
Original Request: Complaints about {} during service as Parental Support Worker.
Tokens prepared for LDA: ['complaint', 'service', 'parental', 'support', 'worker']
Original Request: Criteria for assessing interpersonal skills and training, skills and qualifications of supervisors who assess interpersonal skills in staff.
Tokens prepared for LDA: ['criterion', 'ass', 'interpersonal', 'skill', 'train', 'skill', 'qualification', 'supervisor', 'ass', 'interpersonal', 'skill', 'staff']
Original Request: Income Maintenance client file for {} regarding SARB appeal.
Tokens prepared for LDA: ['income', 'maintenance', 'client', 'regard', 'appeal']
Original Request: Information regarding GWA assistance amounts for {}.
Tokens prepared for LDA: ['information', 'regard', 'assistance']
Original Request: Scores of other candidates in Competition 95-446.
Tokens prepared for LDA: ['scores', 'candidate', 'competition']
Original Request: Score for {} in Competition 95-446.
Tokens prepared for LDA: ['score', 'competition']
Original Request: Identity of complainant regarding Public Health inspection on 1995/10/19.
Tokens prepared for LDA: ['identity', 'complainant', 'regard', 'public', 'health', 'inspection', '1995/10/19']
Original Request: GWA regulations pertaining to {}.
Tokens prepared for LDA: ['regulation', 'pertain']
Original Request: Documentation regarding {} GWA status, entitlement, and deductions.
Tokens prepared for LDA: ['documentation', 'regard', 'status', 'entitlement', 'deduction']
Original Request: Information regarding benzene contamination in Bamberg.
Tokens prepared for LDA: ['information', 'regard', 'benzene', 'contamination', 'bamberg']
Original Request: General information on Vocational Rehabilitation Act and appeals.
Tokens prepared for LDA: ['general', 'information', 'vocational', 'rehabilitation', 'appeal']
Original Request: Information concerning decision to deny vocational rehabilitation benefits for {}
Tokens prepared for LDA: ['information', 'concern', 'decision', 'vocational', 'rehabilitation', 'benefit']
Original Request: Deletion of references to interpersonal skills.
Tokens prepared for LDA: ['deletion', 'reference', 'interpersonal', 'skill']
Original Request: All information about {} held by Social Services.
Tokens prepared for LDA: ['information', 'social', 'services']
Original Request: Scores, notes and information regarding {} bumping assessment interview on 96/2/27.
Tokens prepared for LDA: ['scores', 'information', 'regard', 'assessment', 'interview', '96/2/27']
Original Request: Sewer surcharge information by company.
Tokens prepared for LDA: ['sewer', 'surcharge', 'information', 'company']
Original Request: Notes regarding contact between Ministry of Solicitor General and Regional Chair about {} application to Police Services Board.
Tokens prepared for LDA: ['note', 'regard', 'contact', 'ministry', 'solicitor', 'general', 'regional', 'chair', 'application', 'police', 'services', 'board']
Original Request: Home Child Care Provider file for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: Records indicating {} residence from 1991 to May 1992; copy of cheque; consent pay-direct to landlord; application for assistance from October 1994.
Tokens prepared for LDA: ['record', 'indicate', 'residence', 'cheque', 'consent', 'direct', 'landlord', 'application', 'assistance', 'october']
Original Request: Report by Senior Staff to Councillors/Review Committee on Governance.
Tokens prepared for LDA: ['report', 'senior', 'staff', 'councillor', 'review', 'committee', 'governance']
Original Request: List of restaurants inspected by Healthy Environments.
Tokens prepared for LDA: ['restaurant', 'inspect', 'healthy', 'environment']
Original Request: Declaration sworn by {} and allegations against her regarding GWA.
Tokens prepared for LDA: ['declaration', 'swear', 'allegation', 'regard']
Original Request: All personal information held by Income Maintenance on {}.
Tokens prepared for LDA: ['personal', 'information', 'income', 'maintenance']
Original Request: All personal information held by Income Maintenance on {}.
Tokens prepared for LDA: ['personal', 'information', 'income', 'maintenance']
Original Request: Interview questions, answers and practical test regarding Intake Assessment Assistant competition.
Tokens prepared for LDA: ['interview', 'question', 'answer', 'practical', 'regard', 'intake', 'assessment', 'assistant', 'competition']
Original Request: Reference and Personal Information for {} regarding Intake Assessment Assistant competition.
Tokens prepared for LDA: ['reference', 'personal', 'information', 'regard', 'intake', 'assessment', 'assistant', 'competition']
Original Request: Scores of other candidates and records pertaining to the screening and interview process for Competition 96-104/105.
Tokens prepared for LDA: ['scores', 'candidate', 'record', 'pertain', 'screen', 'interview', 'process', 'competition', '104/105']
Original Request: Scores and comments for {} regarding Competition 96-104/105.
Tokens prepared for LDA: ['scores', 'comment', 'regard', 'competition', '104/105']
Original Request: All records regarding the Family Awareness Centre or its four programs including Parents Are People Too.
Tokens prepared for LDA: ['record', 'regard', 'family', 'awareness', 'centre', 'program', 'include', 'parent', 'people']
Original Request: Copies of two welfare cheques from October 28, 1992 and May 8, 1996.
Tokens prepared for LDA: ['copy', 'welfare', 'cheque', 'october']
Original Request: Information in Income Maintenance file for {} regarding social assistance reduction because of job termination.
Tokens prepared for LDA: ['information', 'income', 'maintenance', 'regard', 'social', 'assistance', 'reduction', 'termination']
Original Request: Copies of food-borne illness complaint reports regarding {}, Cambridge between January 8 and 21, 1997.
Tokens prepared for LDA: ['copy', 'illness', 'complaint', 'report', 'regard', 'cambridge', 'january']
Original Request: Records regarding workplace harassment investigation.
Tokens prepared for LDA: ['record', 'regard', 'workplace', 'harassment', 'investigation']
Original Request: Personal information regarding workplace harassment investigation.
Tokens prepared for LDA: ['personal', 'information', 'regard', 'workplace', 'harassment', 'investigation']
Original Request: Records in FBA file from 1983 in Ottawa; 1986 to1989 in Cambridge.
Tokens prepared for LDA: ['record', 'ottawa', 'to1989', 'cambridge']
Original Request: Records in Human Resources regarding date of seniority.
Tokens prepared for LDA: ['record', 'human', 'resource', 'regard', 'seniority']
Original Request: A complete copy of Income Maintenance client file for {}.
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: 7 information items regarding construction contract at Pinebush and Turnbull water treatment plants in 1996.
Tokens prepared for LDA: ['information', 'regard', 'construction', 'contract', 'pinebush', 'turnbull', 'water', 'treatment', 'plant']
Original Request: Information on any civil suits initiated on projects involving 3 Design & Construction staff members.
Tokens prepared for LDA: ['information', 'civil', 'initiate', 'project', 'involve', 'design', 'construction', 'staff', 'member']
Original Request: Details of payouts to {} on retirement.
Tokens prepared for LDA: ['details', 'payout', 'retirement']
Original Request: Amounts paid for severances, retirements and voluntary exits for the last 3 years.
Tokens prepared for LDA: ['amount', 'severance', 'retirement', 'voluntary']
Original Request: Complainant identity and Public Health inspection records regarding 2 complaints at {}.
Tokens prepared for LDA: ['complainant', 'identity', 'public', 'health', 'inspection', 'record', 'regard', 'complaint']
Original Request: Various Personal Information Banks held by the federal government.
Tokens prepared for LDA: ['various', 'personal', 'information', 'banks', 'federal', 'government']
Original Request: All records related to {company } in relation to its work on the Shades Mill Water Treatment Plant, as well as professional references compiled during the review of the winning tender.
Tokens prepared for LDA: ['record', 'relate', 'company', 'relation', 'shades', 'water', 'treatment', 'plant', 'professional', 'reference', 'compile', 'review', 'tender']
Original Request: Form 4 medical assessment and last 6 months of GWA file for {}.
Tokens prepared for LDA: ['medical', 'assessment', 'month']
Original Request: Ten schedules from service agreement for operation of Region's wastewater treatment plants.
Tokens prepared for LDA: ['schedule', 'service', 'agreement', 'operation', 'region', 'wastewater', 'treatment', 'plant']
Original Request: A complete copy of GWA client file for {}.
Tokens prepared for LDA: ['complete', 'client']
Original Request: GWA file, specifically agreements, cheques and monetary income statements regarding "court order."
Tokens prepared for LDA: ['specifically', 'agreement', 'cheque', 'monetary', 'income', 'statement', 'regard', 'court', 'order']
Original Request: Records related to construction on {company } site in 1996 and 1997.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'company']
Original Request: Information regarding damage to Regional facilities from a severe storm on May 20, 1996.
Tokens prepared for LDA: ['information', 'regard', 'damage', 'regional', 'facility', 'severe', 'storm']
Original Request: Identity of the Sunnyside Home employee who witnessed a motor vehicle accident on February 20, 1990.
Tokens prepared for LDA: ['identity', 'sunnyside', 'employee', 'witness', 'motor', 'vehicle', 'accident', 'february']
Original Request: Regional Solicitor's file for {} regarding their employment with the Waterloo Regional Police Service.
Tokens prepared for LDA: ['regional', 'solicitor', 'regard', 'employment', 'waterloo', 'regional', 'police', 'service']
Original Request: Tender and contract for wastewater treatment operations including Request for Proposals; communications; evaluations; contract with {company }.
Tokens prepared for LDA: ['tender', 'contract', 'wastewater', 'treatment', 'operation', 'include', 'request', 'proposal', 'communication', 'evaluation', 'contract', 'company']
Original Request: Unit pricing (pages 24-28) of winning bid for HHW contract.
Tokens prepared for LDA: ['price', 'contract']
Original Request: GWA for {} records from January 1, 1993 to present, particularly a letter regarding assets.
Tokens prepared for LDA: ['record', 'january', 'present', 'particularly', 'letter', 'regard', 'asset']
Original Request: Home Child Care Provider file for {} from 1983 to present.
Tokens prepared for LDA: ['child', 'provider', 'present']
Original Request: Income Maintenance file for {} narrative notes from January 10-31, 1996; letter from {} dated July 30, 1996.
Tokens prepared for LDA: ['income', 'maintenance', 'narrative', 'january', 'letter']
Original Request: Various records regarding the voice radio system.
Tokens prepared for LDA: ['various', 'record', 'regard', 'voice', 'radio']
Original Request: Ontario Works participating community agencies and number of clients assigned to each.
Tokens prepared for LDA: ['ontario', 'works', 'participate', 'community', 'agency', 'client', 'assign']
Original Request: Income Maintenance file for {} narrative notes; correspondence from Income Maintenance file from 1991 to present to requester; two letters to staff from {}; copies of trailer sales receipts.
Tokens prepared for LDA: ['income', 'maintenance', 'narrative', 'correspondence', 'income', 'maintenance', 'present', 'requester', 'letter', 'staff', 'trailer', 'receipt']
Original Request: Home Child Care Provider file for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: Narrative notes in Income Maintenance file for {} from 1998.
Tokens prepared for LDA: ['narrative', 'income', 'maintenance']
Original Request: Records regarding filter materials supplied by {company }.
Tokens prepared for LDA: ['record', 'regard', 'filter', 'material', 'supply', 'company']
Original Request: Environmental Enforcement Services file on {}, New Hamburg.
Tokens prepared for LDA: ['environmental', 'enforcement', 'services', 'hamburg']
Original Request: Home Child Care Provider file for {} from May 8, 1998 to September 29, 1998.
Tokens prepared for LDA: ['child', 'provider', 'september']
Original Request: Salary, hiring and job competition records related to {}.
Tokens prepared for LDA: ['salary', 'competition', 'record', 'relate']
Original Request: Any correspondence prepared by the Region of Waterloo and sent to anyone other than {names removed} that concerns {} and has not already been released under other FOI requests.
Tokens prepared for LDA: ['correspondence', 'prepare', 'region', 'waterloo', 'remove', 'concern', 'release', 'request']
Original Request: Records concerning specification of {company } filtration equipment in Region of Waterloo contracts.
Tokens prepared for LDA: ['record', 'concern', 'specification', 'company', 'filtration', 'equipment', 'region', 'waterloo', 'contract']
Original Request: Investigative report on plumbing in {} apartment.
Tokens prepared for LDA: ['investigative', 'report', 'plumb', 'apartment']
Original Request: Minutes of Service Delivery Subcommittee of ESCAC for period of January 1, 1997 to January 13, 1999.
Tokens prepared for LDA: ['minutes', 'service', 'delivery', 'subcommittee', 'escac', 'period', 'january', 'january']
Original Request: Public Health inspection reports for the {}, Kitchener for the past 3 years.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'kitchener']
Original Request: Public Health inspection records for {}, Cambridge for the past 2 years.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'cambridge']
Original Request: Public Health inspection records for {}, Cambridge, relating to sink odours in 1994.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'cambridge', 'relate', 'odour']
Original Request: Vendor list report with total of year-to-date purchases at fiscal year end for 1996, 1997, and 1998.
Tokens prepared for LDA: ['vendor', 'report', 'total', 'purchase', 'fiscal']
Original Request: Public Health inspection file for {} at {} regarding requester's dismissal from employment.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'regard', 'requester', 'dismissal', 'employment']
Original Request: Scope of work and deliverables sections of contract between Region of Waterloo and {company } for Waterloo Regional Master Transportation Plan.
Tokens prepared for LDA: ['scope', 'deliverable', 'section', 'contract', 'region', 'waterloo', 'company', 'waterloo', 'regional', 'master', 'transportation']
Original Request: Number of contracts and dollar amount of contracts between Region of Waterloo and {company } for the last 5 years.
Tokens prepared for LDA: ['number', 'contract', 'dollar', 'contract', 'region', 'waterloo', 'company']
Original Request: Public Health inspection report regarding a complaint about contamination found in coffee cup at {}, Cambridge.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'regard', 'complaint', 'contamination', 'coffee', 'cambridge']
Original Request: Phase I environmental site assessment regarding sewer use at {addresses removed}.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'regard', 'sewer', 'address', 'removed}.']
Original Request: Complete fiscal year end vendor report for years 1996 to 1998 and trial balances for the same time period.
Tokens prepared for LDA: ['complete', 'fiscal', 'vendor', 'report', 'trial', 'balance', 'period']
Original Request: A complete copy of Income Maintenance client file for {}
Tokens prepared for LDA: ['complete', 'income', 'maintenance', 'client']
Original Request: Rabies control records related to dog bite affecting {names removed} and any other reports of bites by the dog involved.
Tokens prepared for LDA: ['rabies', 'control', 'record', 'relate', 'affect', 'remove', 'report', 'involve']
Original Request: Home Child Care Provider file for {} from May 31, 1999 to present.
Tokens prepared for LDA: ['child', 'provider', 'present']
Original Request: Records relating to complaint about {}, Cambridge.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'cambridge']
Original Request: Financial records documenting {} earnings as a Home Child Care Provider from 1996 to 1999; 1998 earnings to be broken down by child.
Tokens prepared for LDA: ['financial', 'record', 'document', 'earnings', 'child', 'provider', 'earnings', 'break', 'child']
Original Request: Minutes and notes relating to {} meeting with Home Child Care staff and Commissioner.
Tokens prepared for LDA: ['minutes', 'relate', 'child', 'staff', 'commissioner']
Original Request: All files relating to tendering, construction, administration and evaluation of Shades Mill Water Treatment Plant.
Tokens prepared for LDA: ['relate', 'tender', 'construction', 'administration', 'evaluation', 'shades', 'water', 'treatment', 'plant']
Original Request: List of all radio frequencies used by Region of Waterloo fire and police departments and any information on the new radio system.
Tokens prepared for LDA: ['radio', 'frequency', 'region', 'waterloo', 'police', 'department', 'information', 'radio']
Original Request: Copies of purchase orders for last 12 months in amounts of $5,000 to $50,000, relating to construction, maintenance, and repair of water and wastewater facilities.
Tokens prepared for LDA: ['copy', 'purchase', 'order', 'month', '5,000', '50,000', 'relate', 'construction', 'maintenance', 'repair', 'water', 'wastewater', 'facility']
Original Request: {Name removed} personnel file for the period 1990/10/01 to 1999/10/31.
Tokens prepared for LDA: ['remove', 'personnel', 'period', '1990/10/01', '1999/10/31']
Original Request: Complaint dated November 1, 1999 in {} Home Child Care Provider file.
Tokens prepared for LDA: ['complaint', 'november', 'child', 'provider']
Original Request: All reports, studies and documents pertaining to flow and flooding of the Speed River in the vicinity of Highway 24 in Cambridge.
Tokens prepared for LDA: ['report', 'study', 'document', 'pertain', 'flood', 'speed', 'river', 'vicinity', 'highway', 'cambridge']
Original Request: Home Child Care Provider file for {{ from March 1999 to present.
Tokens prepared for LDA: ['child', 'provider', 'march', 'present']
Original Request: By-Law officer's notes regarding charges against {} under second hand goods by-law.
Tokens prepared for LDA: ['officer', 'regard', 'charge']
Original Request: List of all taxi license owners in the City of Cambridge.
Tokens prepared for LDA: ['license', 'owner', 'cambridge']
Original Request: Complaint regarding alleged fraud accusation made against {} in September 1999.
Tokens prepared for LDA: ['complaint', 'regard', 'allege', 'fraud', 'accusation', 'september']
Original Request: Correspondence from 1996 to 1997 regarding Shades Mill Water Treatment Plant and all site correspondence.
Tokens prepared for LDA: ['correspondence', 'regard', 'shades', 'water', 'treatment', 'plant', 'correspondence']
Original Request: Quotation Q99-1154 bidders and pricing information for blueprinting and reprographic services.
Tokens prepared for LDA: ['quotation', 'bidder', 'price', 'information', 'blueprint', 'reprographic', 'service']
Original Request: Public Health Inspection reports and records regarding alleged food poisoning incident on August 25, 1999 at {}, Cambridge.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'record', 'regard', 'allege', 'poison', 'incident', 'august', 'cambridge']
Original Request: Home Child Care Provider file for {} from February 1997 to present.
Tokens prepared for LDA: ['child', 'provider', 'february', 'present']
Original Request: Public Health Inspection reports about food-borne illness dated March 18, 2000 and laboratory results regarding {}, Waterloo.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'illness', 'march', 'laboratory', 'result', 'regard', 'waterloo']
Original Request: Public Health Inspection report dated March 20, 2000 regarding outbreak of food-borne illness at {}, Waterloo.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'march', 'regard', 'outbreak', 'illness', 'waterloo']
Original Request: Submissions received by Regional Councillors regarding smoking By-Law 96-055 since 1993.
Tokens prepared for LDA: ['submission', 'receive', 'regional', 'councillor', 'regard', 'smoke']
Original Request: Public Health Inspection reports and laboratory findings about food-borne illness related to {} complaint dated {date removed}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'laboratory', 'finding', 'illness', 'relate', 'complaint', 'removed}.']
Original Request: Income Maintenance narrative notes from 1991 to present for {}.
Tokens prepared for LDA: ['income', 'maintenance', 'narrative', 'present']
Original Request: Phase 1 environmental site assessments for {addresses removed}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'address', 'remove', 'kitchener']
Original Request: Copy of {company } tender bid for redevelopment of Sunnyside Home and copy of written purchasing policies of the Region of Waterloo.
Tokens prepared for LDA: ['company', 'tender', 'redevelopment', 'sunnyside', 'write', 'purchase', 'policy', 'region', 'waterloo']
Original Request: Copies of purchase orders in range of $5,000 to $50,000 issued for repair, construction and maintenance work on Regional Water & Wastewater treatment facilities from September 1998 to September 1999.
Tokens prepared for LDA: ['copy', 'purchase', 'order', 'range', '5,000', '50,000', 'issue', 'repair', 'construction', 'maintenance', 'regional', 'water', 'wastewater', 'treatment', 'facility', 'september', 'september']
Original Request: Access to client/family data in Healthy Babies Healthy Children Integrated Services for Children Information System.
Tokens prepared for LDA: ['access', 'client', 'family', 'datum', 'healthy', 'baby', 'healthy', 'child', 'integrate', 'services', 'child', 'information']
Original Request: Correction of two narrative note entries in {} GWA file; entries dated 97/7/14 & 97/1/15.
Tokens prepared for LDA: ['correction', 'narrative', 'entry', 'entry', '97/7/14', '97/1/15']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Letter regarding pay equity plan to {} from {names removed}, dated approximately 00/3/6; response to letter sent to Region of Waterloo by {names removed} on March 6 to 13, 2000.
Tokens prepared for LDA: ['letter', 'regard', 'equity', 'remove', 'approximately', '00/3/6', 'response', 'letter', 'region', 'waterloo', 'remove', 'march']
Original Request: Public Health inspections, complaints and violations dating from 1995 to present for four {locations removed} in Waterloo Region.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'complaint', 'violation', 'present', 'location', 'remove', 'waterloo', 'region']
Original Request: Any and all records regarding a multi vehicle accident on June 20, 2000 on {}.
Tokens prepared for LDA: ['record', 'regard', 'multi', 'vehicle', 'accident']
Original Request: Contract between {company } and the Region of Waterloo for Sunnyside Home redevelopment.
Tokens prepared for LDA: ['contract', 'company', 'region', 'waterloo', 'sunnyside', 'redevelopment']
Original Request: Social Assistance client file for {} from 1996 to present, including all correspondence.
Tokens prepared for LDA: ['social', 'assistance', 'client', 'present', 'include', 'correspondence']
Original Request: All records about {}, including former Regional Solicitor {} file and successor's file.
Tokens prepared for LDA: ['record', 'include', 'regional', 'solicitor', 'successor']
Original Request: All records regarding St. Clements Pumping Station in 1994 related to work performed by {company }.
Tokens prepared for LDA: ['record', 'regard', 'clements', 'pump', 'station', 'relate', 'perform', 'company']
Original Request: Location and subsidy paid by the Region of Waterloo for a variety of recreational and cultural venues in the City of Kitchener for past 10 years.
Tokens prepared for LDA: ['location', 'subsidy', 'region', 'waterloo', 'variety', 'recreational', 'cultural', 'venue', 'kitchener']
Original Request: Records relating to environmental issues or impacts resulting from volatile organic compounds in groundwater under or around vicinity of {locations removed}, Cambridge.
Tokens prepared for LDA: ['record', 'relate', 'environmental', 'issue', 'impact', 'result', 'volatile', 'organic', 'compound', 'groundwater', 'vicinity', 'location', 'remove', 'cambridge']
Original Request: Location of contaminated sites near {}, Waterloo and nature of contamination.
Tokens prepared for LDA: ['location', 'contaminate', 'waterloo', 'nature', 'contamination']
Original Request: A copy of Ontario Works client file for {} from 1995 to 1997.
Tokens prepared for LDA: ['ontario', 'works', 'client']
Original Request: Names of contractors and quotes for Request for Proposal P2001-04 regarding chipping and grinding at the Waterloo Landfill.
Tokens prepared for LDA: ['names', 'contractor', 'quote', 'request', 'proposal', 'p2001', 'regard', 'grind', 'waterloo', 'landfill']
Original Request: Information related to groundwater contamination in the {} in connection with MOE Orders issued to {names removed}.
Tokens prepared for LDA: ['information', 'relate', 'groundwater', 'contamination', 'connection', 'order', 'issue', 'removed}.']
Original Request: Companies being monitored for acidic wastewater discharge, values of non-compliance and companies that have been notified in writing of infractions under sewer use by-law.
Tokens prepared for LDA: ['company', 'monitor', 'acidic', 'wastewater', 'discharge', 'value', 'compliance', 'company', 'notify', 'write', 'infraction', 'sewer']
Original Request: Receipts or other records regarding sale of trailers by requester to {names removed}.
Tokens prepared for LDA: ['receipts', 'record', 'regard', 'trailer', 'requester', 'removed}.']
Original Request: All records, including service and repair records regarding the intersection of {intersection removed} from September 28, 1995 to date.
Tokens prepared for LDA: ['record', 'include', 'service', 'repair', 'record', 'regard', 'intersection', 'intersection', 'remove', 'september']
Original Request: Technical and operating manuals for laser speed detectors regarding Provincial Offences Court Highway Traffic Act charge.
Tokens prepared for LDA: ['technical', 'operate', 'manual', 'laser', 'speed', 'detector', 'regard', 'provincial', 'offence', 'court', 'highway', 'traffic', 'charge']
Original Request: Water quality test results of {} public beach.
Tokens prepared for LDA: ['water', 'quality', 'result', 'public', 'beach']
Original Request: Contract between Grand River Transit and {company } for the Cambridge service area.
Tokens prepared for LDA: ['contract', 'grand', 'river', 'transit', 'company', 'cambridge', 'service']
Original Request: Grand River Transit contract for outdoor bench advertising in Cambridge.
Tokens prepared for LDA: ['grand', 'river', 'transit', 'contract', 'outdoor', 'bench', 'advertise', 'cambridge']
Original Request: Information regarding speed detection unit used to lay Highway Traffic Act charge.
Tokens prepared for LDA: ['information', 'regard', 'speed', 'detection', 'highway', 'traffic', 'charge']
Original Request: Certificates of Approval regarding sewage sludge spreading; records regarding where, when, how much sludge was spread in 2000 and 2001.
Tokens prepared for LDA: ['certificate', 'approval', 'regard', 'sewage', 'sludge', 'spread', 'record', 'regard', 'sludge', 'spread']
Original Request: Notes from Provincial Offences Court Prosecutor {} to Ministry of Transportation - Ontario.
Tokens prepared for LDA: ['note', 'provincial', 'offence', 'court', 'prosecutor', 'ministry', 'transportation', 'ontario']
Original Request: All records regarding Environmentally Sensitive Policy Area 38, excluding the "Public File" maintained by {}; January 1, 1995 to date.
Tokens prepared for LDA: ['record', 'regard', 'environmentally', 'sensitive', 'policy', 'exclude', 'public', 'maintain', 'january']
Original Request: Rent receipts from 1997 to present in Ontario Works client file for (}.
Tokens prepared for LDA: ['receipt', 'present', 'ontario', 'works', 'client']
Original Request: Rent receipts from 1997 to present in Ontario Works client file for (}.
Tokens prepared for LDA: ['receipt', 'present', 'ontario', 'works', 'client']
Original Request: A copy of Ontario Works client file for {} from 2000 to present.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'present']
Original Request: Ice rental rate for the City of Kitchener Tim Horton's Christmas skate.
Tokens prepared for LDA: ['rental', 'kitchener', 'horton', 'christmas', 'skate']
Original Request: Home Child Care Provider file for {}.
Tokens prepared for LDA: ['child', 'provider']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Payment history from Social Assistance for {} from 1995 to present.
Tokens prepared for LDA: ['payment', 'history', 'social', 'assistance', 'present']
Original Request: Identity of owner of closed restaurant {name
Tokens prepared for LDA: ['identity', 'owner', 'close', 'restaurant']
Original Request: Identity of companies paying > $250,000 in sewer surcharge & value of payment and criteria exceeded.
Tokens prepared for LDA: ['identity', 'company', '250,000', 'sewer', 'surcharge', 'value', 'payment', 'criterium', 'exceed']
Original Request: Identity of companies paying > $250,000 sewer surcharge & value of payment and criteria exceedance.
Tokens prepared for LDA: ['identity', 'company', '250,000', 'sewer', 'surcharge', 'value', 'payment', 'criterium', 'exceedance']
Original Request: Planning records related to Paradise Lake Settlement Area.
Tokens prepared for LDA: ['planning', 'record', 'relate', 'paradise', 'settlement']
Original Request: Records related to Trees By-law charge against requester and her husband {}.
Tokens prepared for LDA: ['record', 'relate', 'tree', 'charge', 'requester', 'husband']
Original Request: Rabies incident report records regarding May 2001 dog bite.
Tokens prepared for LDA: ['rabies', 'incident', 'report', 'record', 'regard']
Original Request: Competition file 2002-91 for Public Health Nurse in Sexual Health.
Tokens prepared for LDA: ['competition', 'public', 'health', 'nurse', 'sexual', 'health']
Original Request: Personal information for {} in Competition file 2002-91 Public Health Nurse for Sexual Health.
Tokens prepared for LDA: ['personal', 'information', 'competition', 'public', 'health', 'nurse', 'sexual', 'health']
Original Request: A copy of Ontario Works client file for {} from October 2001 to present.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'october', 'present']
Original Request: Proposals for Pride Network P2002-014.
Tokens prepared for LDA: ['proposal', 'pride', 'network', 'p2002']
Original Request: Contract or leases for garbage disposal from 1960 to 1970 between the Region of Waterloo and the owner of {}, Wilmot Township; any records regarding the property.
Tokens prepared for LDA: ['contract', 'lease', 'garbage', 'disposal', 'region', 'waterloo', 'owner', 'wilmot', 'township', 'record', 'regard', 'property']
Original Request: All files related to {} held by Waterloo Region Housing.
Tokens prepared for LDA: ['relate', 'waterloo', 'region', 'housing']
Original Request: All records related to Environmentally Sensitive Policy Area 38.
Tokens prepared for LDA: ['record', 'relate', 'environmentally', 'sensitive', 'policy']
Original Request: All records related to Environmentally Sensitive Policy Area 36
Tokens prepared for LDA: ['record', 'relate', 'environmentally', 'sensitive', 'policy']
Original Request: Records related to speed detection unit, Ontario Provincial Police {} training and history of issuing Provincial Offence Notices regarding speeding charge in Provincial Offences Act court.
Tokens prepared for LDA: ['record', 'relate', 'speed', 'detection', 'ontario', 'provincial', 'police', 'train', 'history', 'issue', 'provincial', 'offence', 'notice', 'regard', 'speed', 'charge', 'provincial', 'offence', 'court']
Original Request: Roads needs studies from 1990 to 1994 in relation to Environmentally Sensitive Policy Area designation in Blair.
Tokens prepared for LDA: ['roads', 'study', 'relation', 'environmentally', 'sensitive', 'policy', 'designation', 'blair']
Original Request: Food-borne illness incident records for {} on October 7, 2002.
Tokens prepared for LDA: ['illness', 'incident', 'record', 'october']
Original Request: Records sent by Sunnyside Home to St. Mary's General Hospital regarding {} fall in July 2002.
Tokens prepared for LDA: ['record', 'sunnyside', 'general', 'hospital', 'regard']
Original Request: Contracts and payments made by the Region of Waterloo with {company }.
Tokens prepared for LDA: ['contract', 'payment', 'region', 'waterloo', 'company']
Original Request: Information regarding Public Health Nurse staff qualifications to perform sexual health counselling.
Tokens prepared for LDA: ['information', 'regard', 'public', 'health', 'nurse', 'staff', 'qualification', 'perform', 'sexual', 'health', 'counsel']
Original Request: Cost of surveillance by Waterloo Regional Police Service on requester and {}.
Tokens prepared for LDA: ['surveillance', 'waterloo', 'regional', 'police', 'service', 'requester']
Original Request: Records regarding alleged food borne illness at {}, Cambridge.
Tokens prepared for LDA: ['record', 'regard', 'allege', 'illness', 'cambridge']
Original Request: Environmental records concerning expropriation of property for the Breslau by-pass.
Tokens prepared for LDA: ['environmental', 'record', 'concern', 'expropriation', 'property', 'breslau']
Original Request: Number of promoted employees/new hires aged 55 or older for the previous 3 year period.
Tokens prepared for LDA: ['number', 'promote', 'employee', 'previous', 'period']
Original Request: Records about mould growth at {} home at {}, Kitchener.
Tokens prepared for LDA: ['record', 'mould', 'growth', 'kitchener']
Original Request: Information about {} and children related to mould problem at {}, Kitchener.
Tokens prepared for LDA: ['information', 'child', 'relate', 'mould', 'problem', 'kitchener']
Original Request: Results for tender T2003-112 for Carpet Replacement.
Tokens prepared for LDA: ['result', 'tender', 't2003', 'carpet', 'replacement']
Original Request: Records from {} or {} regarding municipal regulation of pesticides.
Tokens prepared for LDA: ['record', 'regard', 'municipal', 'regulation', 'pesticide']
Original Request: Rabies control records from an incident occurring on January 4, 2003 at {}, Kitchener.
Tokens prepared for LDA: ['rabies', 'control', 'record', 'incident', 'occur', 'january', 'kitchener']
Original Request: Rabies control records for incident that occurred at {} and dealt with by Halton Public Health.
Tokens prepared for LDA: ['rabies', 'control', 'record', 'incident', 'occur', 'halton', 'public', 'health']
Original Request: Public Health Inspection records regarding {}, Cambridge.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'regard', 'cambridge']
Original Request: Analysis of sewage composition on {street }, Cambridge on May 23, 2003.
Tokens prepared for LDA: ['analysis', 'sewage', 'composition', 'street', 'cambridge']
Original Request: Records regarding reconstruction of Weber Street from Queen Street to Guelph Street.
Tokens prepared for LDA: ['record', 'regard', 'reconstruction', 'weber', 'street', 'queen', 'street', 'guelph', 'street']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Email sent by {} to CUPE members which referred to {}.
Tokens prepared for LDA: ['email', 'member', 'refer']
Original Request: Records regarding the disposal of sewage sludge from the Elmira Wastewater Treatment Plant from 1970 to present.
Tokens prepared for LDA: ['record', 'regard', 'disposal', 'sewage', 'sludge', 'elmira', 'wastewater', 'treatment', 'plant', 'present']
Original Request: Health records of deceased Sunnyside Home resident {}.
Tokens prepared for LDA: ['health', 'record', 'decease', 'sunnyside', 'resident']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Latest annual report of the Provincial Offences Act Court to the Ministry of the Attorney-General.
Tokens prepared for LDA: ['latest', 'annual', 'report', 'provincial', 'offence', 'court', 'ministry', 'attorney', 'general']
Original Request: Rabies control investigation records regarding dog bite on October 23, 2003.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'record', 'regard', 'october']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Various records regarding the installation of an Instrument Landing System on runway 07 at the Region of Waterloo International Airport.
Tokens prepared for LDA: ['various', 'record', 'regard', 'installation', 'instrument', 'landing', 'runway', 'region', 'waterloo', 'international', 'airport']
Original Request: Income statements and employer identity for period from December 1999 to December 2003.
Tokens prepared for LDA: ['income', 'statement', 'employer', 'identity', 'period', 'december', 'december']
Original Request: Return of original application from Prenatal Support Worker competition file 04-034.
Tokens prepared for LDA: ['return', 'original', 'application', 'prenatal', 'support', 'worker', 'competition']
Original Request: Technical specifications and maintenance records form January 1 to June 23, 2003 for the red light camera at {intersection removed}, Kitchener.
Tokens prepared for LDA: ['technical', 'specification', 'maintenance', 'record', 'january', 'light', 'camera', 'intersection', 'remove', 'kitchener']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Records related to laser speed detection unit and responsible officer related to a speeding charge before the Provincial Offenses Court.
Tokens prepared for LDA: ['record', 'relate', 'laser', 'speed', 'detection', 'responsible', 'officer', 'relate', 'speed', 'charge', 'provincial', 'offense', 'court']
Original Request: Rabies control investigation from April 2003 regarding requester's dog.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'april', 'regard', 'requester']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Oversize load permit and application issued to {company } on July 8, 2003.
Tokens prepared for LDA: ['oversize', 'permit', 'application', 'issue', 'company']
Original Request: Ontario Works income statements submitted by {} in 1997, 1998, and 1999.
Tokens prepared for LDA: ['ontario', 'works', 'income', 'statement', 'submit']
Original Request: Four records of correspondence from Ontario Works file for {}.
Tokens prepared for LDA: ['record', 'correspondence', 'ontario', 'works']
Original Request: Four job descriptions of Region of Waterloo positions including the salary ranges and evaluation rating forms.
Tokens prepared for LDA: ['description', 'region', 'waterloo', 'position', 'include', 'salary', 'range', 'evaluation']
Original Request: Rabies control investigation file.
Tokens prepared for LDA: ['rabies', 'control', 'investigation']
Original Request: Policies, procedures and by-laws regarding the retention of Waterloo Regional Police Service records.
Tokens prepared for LDA: ['policy', 'procedure', 'regard', 'retention', 'waterloo', 'regional', 'police', 'service', 'record']
Original Request: Food-borne illness incident records from {}, Kitchener on September 5, 2004.
Tokens prepared for LDA: ['illness', 'incident', 'record', 'kitchener', 'september']
Original Request: Social Worker client file pertaining to {}.
Tokens prepared for LDA: ['social', 'worker', 'client', 'pertain']
Original Request: Phase I environmental site assessment for {}, Elmira.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'elmira']
Original Request: Phase I environmental site assessment for {}, Elmira.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'elmira']
Original Request: Phase I environmental site assessment for {}, Elmira.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'elmira']
Original Request: Requester's own personal information regarding support payments to {}.
Tokens prepared for LDA: ['requester', 'personal', 'information', 'regard', 'support', 'payment']
Original Request: Well water test results for {} home prior to purchase.
Tokens prepared for LDA: ['water', 'result', 'prior', 'purchase']
Original Request: Information about requester supplied by {} in relation to support payments.
Tokens prepared for LDA: ['information', 'requester', 'supply', 'relation', 'support', 'payment']
Original Request: Current monthly cost of janitorial services for each of the 3 divisional Waterloo Regional Police Service offices.
Tokens prepared for LDA: ['current', 'monthly', 'janitorial', 'service', 'divisional', 'waterloo', 'regional', 'police', 'service', 'office']
Original Request: Client health records requested by Income Support staff.
Tokens prepared for LDA: ['client', 'health', 'record', 'request', 'income', 'support', 'staff']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: 1) Facility Audit; 2) {Company } Consultants report; 3) Finance Department report T2001-128; 4) {company } bus bid for T2002-120; 5) maintenance costs 2001 to 2004 6) Communicated maintenance records 2001 to 2004.
Tokens prepared for LDA: ['facility', 'audit', 'company', 'consultant', 'report', 'finance', 'department', 'report', 't2001', 'company', 't2002', 'maintenance', 'communicate', 'maintenance', 'record']
Original Request: Sewer surcharge data for {company } January 1, 1995 to December 31, 2004.
Tokens prepared for LDA: ['sewer', 'surcharge', 'datum', 'company', 'january', 'december']
Original Request: Employee file and attendance data.
Tokens prepared for LDA: ['employee', 'attendance', 'datum']
Original Request: Owner name and address in rabies control investigation file from 2004/4/5.
Tokens prepared for LDA: ['owner', 'address', 'rabies', 'control', 'investigation', '2004/4/5']
Original Request: Phase I environmental site assessment {address}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'address', 'cambridge']
Original Request: All records regarding Hepatitis A outbreak at {}, Waterloo.
Tokens prepared for LDA: ['record', 'regard', 'hepatitis', 'outbreak', 'waterloo']
Original Request: Rabies control investigation file for incident on 2005/5/19 at a condominium involving two unit owners.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'incident', '2005/5/19', 'condominium', 'involve', 'owner']
Original Request: Successful bid and contract for cleaning services at 150 Frederick Street, Kitchener.
Tokens prepared for LDA: ['successful', 'contract', 'clean', 'service', 'frederick', 'street', 'kitchener']
Original Request: GPS record of ambulance 2175 involved in a collision with requester on {date removed} at 12:30 pm.
Tokens prepared for LDA: ['record', 'ambulance', 'involve', 'collision', 'requester', 'remove', '12:30']
Original Request: Employment information regarding deceased common law spouse {}.
Tokens prepared for LDA: ['employment', 'information', 'regard', 'decease', 'common', 'spouse']
Original Request: A copy of Ontario Works client file from {} from post April 2004.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'april']
Original Request: 1) sign out sheets for buses based at 250 Strasburg Road; 2) malfunction cards for those buses; 3) daily work sheets for those buses; 4) records showing how often express buses are used on regular routes; record range from 2005/8/15 to date.
Tokens prepared for LDA: ['sheet', 'strasburg', 'malfunction', 'daily', 'sheet', 'record', 'express', 'regular', 'route', 'record', 'range', '2005/8/15']
Original Request: Food premise inspections of {} and enteric disease worksheet related to food-borne illness of client.
Tokens prepared for LDA: ['premise', 'inspection', 'enteric', 'disease', 'worksheet', 'relate', 'illness', 'client']
Original Request: A copy of Ontario Works client file for () from November 1999 to August 30, 2004.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'november', 'august']
Original Request: Request for Proposal 2005-24 including technical proposals, prices and evaluations of bids for Grand River Transit transit management system.
Tokens prepared for LDA: ['request', 'proposal', 'include', 'technical', 'proposal', 'price', 'evaluation', 'grand', 'river', 'transit', 'transit', 'management']
Original Request: Technical studies of the Environmental Assessment of CTC referred to in report P-05-101.
Tokens prepared for LDA: ['technical', 'study', 'environmental', 'assessment', 'refer', 'report']
Original Request: List of all chlorinated solvent sites in the Region of Waterloo and specific solvents found at those sites.
Tokens prepared for LDA: ['chlorinate', 'solvent', 'region', 'waterloo', 'specific', 'solvent']
Original Request: Records in Ontario Works client file and Family Support Unit client file for {} that relate to coresidency issue with spouse.
Tokens prepared for LDA: ['record', 'ontario', 'works', 'client', 'family', 'support', 'client', 'relate', 'coresidency', 'issue', 'spouse']
Original Request: Rabies control investigation file regarding dog bite sustained by {}.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'regard', 'sustain']
Original Request: Medical information in Ontario Works client file for {}, circa April 2003.
Tokens prepared for LDA: ['medical', 'information', 'ontario', 'works', 'client', 'circa', 'april']
Original Request: Site plan review at City of Waterloo regarding affordable housing project at {}.
Tokens prepared for LDA: ['review', 'waterloo', 'regard', 'affordable', 'house', 'project']
Original Request: Pages 1 and 2 of fax sent April 30, 2003 containing medical assessment by physician.
Tokens prepared for LDA: ['page', 'april', 'contain', 'medical', 'assessment', 'physician']
Original Request: Resignation letter, records related to the reason for departure, and severance package details for the termination of {name and position removed}.
Tokens prepared for LDA: ['resignation', 'letter', 'record', 'relate', 'reason', 'departure', 'severance', 'package', 'termination', 'position', 'removed}.']
Original Request: All records regarding snow clearing on all Regional Roads on February 11, 2003.
Tokens prepared for LDA: ['record', 'regard', 'clear', 'regional', 'roads', 'february']
Original Request: Radio logs; Operations Centre log; and Patrol diaries for February 4, 2003.
Tokens prepared for LDA: ['radio', 'operations', 'centre', 'patrol', 'diary', 'february']
Original Request: Quantity of pesticide used by Region of Waterloo including invoices for contracted application.
Tokens prepared for LDA: ['quantity', 'pesticide', 'region', 'waterloo', 'include', 'invoice', 'contract', 'application']
Original Request: Rights and responsibilities form dated March 21, 2005, signed by {}, Caseworker.
Tokens prepared for LDA: ['right', 'responsibility', 'march', 'caseworker']
Original Request: All Public Health records regarding {company removed} contamination investigation.
Tokens prepared for LDA: ['public', 'health', 'record', 'regard', 'company', 'remove', 'contamination', 'investigation']
Original Request: A copy of Ontario Works client file for {} from 1990 to date.
Tokens prepared for LDA: ['ontario', 'works', 'client']
Original Request: Ambulance Call Report for Emergency Medical Services call on 2005/04/08.
Tokens prepared for LDA: ['ambulance', 'report', 'emergency', 'medical', 'services', '2005/04/08']
Original Request: Signal timing summary for {intersection removed} from 2003/10/27 regarding a motor vehicle accident.
Tokens prepared for LDA: ['signal', 'summary', 'intersection', 'remove', '2003/10/27', 'regard', 'motor', 'vehicle', 'accident']
Original Request: A complete copy of Ontario Works client file {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Signal timing and work orders for traffic lights at {intersection removed} between February 1 to June 9, 2006.
Tokens prepared for LDA: ['signal', 'order', 'traffic', 'light', 'intersection', 'remove', 'february']
Original Request: Contract between Region of Waterloo and {company } for the maintenance and operation of the Elmira Wastewater Treatment Plant.
Tokens prepared for LDA: ['contract', 'region', 'waterloo', 'company', 'maintenance', 'operation', 'elmira', 'wastewater', 'treatment', 'plant']
Original Request: Childcare providers and agencies receiving funding from the Region of Waterloo for subsidized spaces and wage subsidies.
Tokens prepared for LDA: ['childcare', 'provider', 'agency', 'receive', 'region', 'waterloo', 'subsidize', 'space', 'subsidy']
Original Request: Signal light sequence and timing at {intersection removed} on August 7, 2004 from 7 am to 3 pm.
Tokens prepared for LDA: ['signal', 'light', 'sequence', 'intersection', 'remove', 'august']
Original Request: Records related to construction at {intersection removed} prior to March 12, 2004.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'intersection', 'remove', 'prior', 'march']
Original Request: Rabies control investigation file.
Tokens prepared for LDA: ['rabies', 'control', 'investigation']
Original Request: Phase I environmental site assessments for {addresses removed}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'address', 'remove', 'cambridge']
Original Request: Public Health investigation records regarding {}, Kitchener.
Tokens prepared for LDA: ['public', 'health', 'investigation', 'record', 'regard', 'kitchener']
Original Request: A complete copy of Ontario Works client file {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Health Protection and Promotion Act Orders issued against 5 farmers selling unpasteurized milk.
Tokens prepared for LDA: ['health', 'protection', 'promotion', 'order', 'issue', 'farmer', 'unpasteurized']
Original Request: Public Health investigation file regarding e-coli 0157 outbreak at the requester's home day care.
Tokens prepared for LDA: ['public', 'health', 'investigation', 'regard', 'outbreak', 'requester']
Original Request: Phase I environmental site assessment for {}, Heidelberg.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'heidelberg']
Original Request: Traffic signal sequence and timing at {intersection removed} on June 4, 2004.
Tokens prepared for LDA: ['traffic', 'signal', 'sequence', 'intersection', 'remove']
Original Request: Food-borne illness investigation at {company removed}.
Tokens prepared for LDA: ['illness', 'investigation', 'company', 'removed}.']
Original Request: Public Health investigation records regarding requester's daughter's e. coli 0157 infection at the home child care operated by {}.
Tokens prepared for LDA: ['public', 'health', 'investigation', 'record', 'regard', 'requester', 'daughter', 'infection', 'child', 'operate']
Original Request: Health Protection and Promotion Act Orders issued against 5 farmers selling unpasteurized milk.
Tokens prepared for LDA: ['health', 'protection', 'promotion', 'order', 'issue', 'farmer', 'unpasteurized']
Original Request: Incident Report involving another individual at {}.
Tokens prepared for LDA: ['incident', 'report', 'involve', 'individual']
Original Request: Rabies control investigation records affecting son; incident on 2007/3/28 at {business removed}; also other records concerning incidents with the dog.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'record', 'affect', 'incident', '2007/3/28', 'business', 'remove', 'record', 'concern', 'incident']
Original Request: Food borne illness investigation at {} regarding an incident on 2002/5/28.
Tokens prepared for LDA: ['illness', 'investigation', 'regard', 'incident', '2002/5/28']
Original Request: Work orders related to {locations removed}, Waterloo between 2006/11/17 and 2006/11/27.
Tokens prepared for LDA: ['order', 'relate', 'location', 'remove', 'waterloo', '2006/11/17', '2006/11/27']
Original Request: Collision database in electronic form.
Tokens prepared for LDA: ['collision', 'database', 'electronic']
Original Request: Rabies control investigation regarding an incident that took place on 2007/1/21.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'regard', 'incident', 'place', '2007/1/21']
Original Request: Submissions provided for Request for Proposal P2007-04 for courier services; assessments of bids.
Tokens prepared for LDA: ['submission', 'provide', 'request', 'proposal', 'p2007', 'courier', 'service', 'assessment']
Original Request: Correspondence between Region of Waterloo and {companies removed} regarding Upper Blair Drainage Study and Blair, Bechtel and Bauman Creeks Watershed Plan, between January 1, 2005 and May 31, 2007.
Tokens prepared for LDA: ['correspondence', 'region', 'waterloo', 'company', 'remove', 'regard', 'upper', 'blair', 'drainage', 'study', 'blair', 'bechtel', 'bauman', 'creek', 'watershed', 'january']
Original Request: Complaint related to food premise inspection reports for 24 specified restaurants.
Tokens prepared for LDA: ['complaint', 'relate', 'premise', 'inspection', 'report', 'specify', 'restaurant']
Original Request: File 6 (supervisor's file) of Human Resources personal file for {}.
Tokens prepared for LDA: ['supervisor', 'human', 'resource', 'personal']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Food-borne illness complaint investigation regarding {} at {business removed}, Cambridge.
Tokens prepared for LDA: ['illness', 'complaint', 'investigation', 'regard', 'business', 'remove', 'cambridge']
Original Request: Identity of complainant for tree cutting complaint.
Tokens prepared for LDA: ['identity', 'complainant', 'complaint']
Original Request: Road closure information from Regional Road 86 between Highway 19 and Kitchener-Waterloo.
Tokens prepared for LDA: ['closure', 'information', 'regional', 'highway', 'kitchener', 'waterloo']
Original Request: Rabies control inspection records involving cat; August 29, 2007
Tokens prepared for LDA: ['rabies', 'control', 'inspection', 'record', 'involve', 'august']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Fines against restaurants in Kitchener and Waterloo between 2005/1/1 and 2007/12/31 for violation of smoking restrictions.
Tokens prepared for LDA: ['fine', 'restaurant', 'kitchener', 'waterloo', '2005/1/1', '2007/12/31', 'violation', 'smoke', 'restriction']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Total revenue and expenses for Grand River Transit from 1997 to 2007.
Tokens prepared for LDA: ['total', 'revenue', 'expense', 'grand', 'river', 'transit']
Original Request: Phase I environmental site assessment {}, Elmira.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'elmira']
Original Request: Septic system permit records for {addresses removed}, Waterloo for the period of 1980 to 1983.
Tokens prepared for LDA: ['septic', 'permit', 'record', 'address', 'remove', 'waterloo', 'period']
Original Request: Bus shelter advertising contracts with independent contractors.
Tokens prepared for LDA: ['shelter', 'advertise', 'contract', 'independent', 'contractor']
Original Request: Transportation Operations records for all roads cleared on November 17 and 18, 2005.
Tokens prepared for LDA: ['transportation', 'operations', 'record', 'clear', 'november']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, North Dumfries Township.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'north', 'dumfries', 'township']
Original Request: Work orders and invoices for two companies: {company names removed}.
Tokens prepared for LDA: ['order', 'invoice', 'company', 'company', 'removed}.']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Authority to fluoridate water outside of Waterloo.
Tokens prepared for LDA: ['authority', 'fluoridate', 'water', 'outside', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Subdivision file RP1694, Wilmot Township.
Tokens prepared for LDA: ['subdivision', 'rp1694', 'wilmot', 'township']
Original Request: Number and type of section 22 orders issued under the Health Protection and Promotion Act from 1998 to date; policies and procedures used in relation to issuing the orders.
Tokens prepared for LDA: ['number', 'section', 'order', 'issue', 'health', 'protection', 'promotion', 'policy', 'procedure', 'relation', 'issue', 'order']
Original Request: Rabies control investigation file.
Tokens prepared for LDA: ['rabies', 'control', 'investigation']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Public Health inspection records regarding {}, Waterloo from August 2007 to date.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'regard', 'waterloo', 'august']
Original Request: Details about Region of Waterloo monitoring wells drilled at {} Puslinch Township; ownership of wells, lease agreements and remuneration.
Tokens prepared for LDA: ['details', 'region', 'waterloo', 'monitor', 'drill', 'puslinch', 'township', 'ownership', 'lease', 'agreement', 'remuneration']
Original Request: A complete copy of Ontario Disability Support Program client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'disability', 'support', 'program', 'client']
Original Request: Allegations and statements about requester supplied by third parties, including {institutions removed}, former spouse and her lawyer.
Tokens prepared for LDA: ['allegation', 'statement', 'requester', 'supply', 'party', 'include', 'institution', 'remove', 'spouse', 'lawyer']
Original Request: Phase I ESA - Environmental Enforcement Services records for 1665 Highland Road West, Kitchener
Tokens prepared for LDA: ['phase', 'environmental', 'enforcement', 'services', 'record', 'highland', 'kitchener']
Original Request: Work orders and timing for traffic signals at {intersection removed} regarding accident on July 9, 2007.
Tokens prepared for LDA: ['order', 'traffic', 'signal', 'intersection', 'remove', 'regard', 'accident']
Original Request: Emergency Medical Services and Waterloo Regional Police Service response records related to the suicide of {} at {} on October 19, 2007.
Tokens prepared for LDA: ['emergency', 'medical', 'services', 'waterloo', 'regional', 'police', 'service', 'response', 'record', 'relate', 'suicide', 'october']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Ambulance Call Reports related to {}, Waterloo.
Tokens prepared for LDA: ['ambulance', 'report', 'relate', 'waterloo']
Original Request: Grand River Transit agreement with {company removed} regarding bench advertising.
Tokens prepared for LDA: ['grand', 'river', 'transit', 'agreement', 'company', 'remove', 'regard', 'bench', 'advertise']
Original Request: Environmental Enforcement Services incident reports for November 6 and December 19, 2007 regarding hydrogen sulfide emanating from sewer on {}, Kitchener affecting the {facility removed}.
Tokens prepared for LDA: ['environmental', 'enforcement', 'services', 'incident', 'report', 'november', 'december', 'regard', 'hydrogen', 'sulfide', 'emanate', 'sewer', 'kitchener', 'affect', 'facility', 'removed}.']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for (}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Winning bidder's pricing sheet for Request for Proposal P2007-17 and agreement between Region of Waterloo and winning bidder.
Tokens prepared for LDA: ['winning', 'bidder', 'price', 'sheet', 'request', 'proposal', 'p2007', 'agreement', 'region', 'waterloo', 'bidder']
Original Request: Ambulance Call Report for {}, Waterloo on July 6, 2007 and any other records, including identities of paramedics on the call.
Tokens prepared for LDA: ['ambulance', 'report', 'waterloo', 'record', 'include', 'identity', 'paramedic']
Original Request: Public Health inspection records for {}, Kitchener for 2006 to date.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'kitchener']
Original Request: A copy of Ontario Works client file for (} prior to 1996 and after 2002.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'prior']
Original Request: Phase I environmental site assessment for {}, Waterloo
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Records regarding cause of death and recalled {company } products at {}, Waterloo.
Tokens prepared for LDA: ['record', 'regard', 'cause', 'death', 'recall', 'company', 'product', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Waterloo
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Seven items regarding speed detection unit and officer who laid a speeding charge under the Highway Traffic Act against requester.
Tokens prepared for LDA: ['seven', 'regard', 'speed', 'detection', 'officer', 'speed', 'charge', 'highway', 'traffic', 'requester']
Original Request: Signal timing for {}, Kitchener.
Tokens prepared for LDA: ['signal', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Records supporting fluoridation.
Tokens prepared for LDA: ['record', 'support', 'fluoridation']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Environmental Enforcement Services investigation report for {}, Cambridge, conducted on 2009/4/8.
Tokens prepared for LDA: ['environmental', 'enforcement', 'services', 'investigation', 'report', 'cambridge', 'conduct', '2009/4/8']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for (), Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Dog owner's identity contained in rabies control investigation report.
Tokens prepared for LDA: ['owner', 'identity', 'contain', 'rabies', 'control', 'investigation', 'report']
Original Request: Request for Proposal P2008-07; cost per unit (per catch basin) for West Nile Virus control program in 2008 or 2009, and percentage of 2009 West Nile Virus control program. allocated to control/treatment
Tokens prepared for LDA: ['request', 'proposal', 'p2008', 'catch', 'basin', 'virus', 'control', 'program', 'percentage', 'virus', 'control', 'program', 'allocate', 'control', 'treatment']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: A complete copy of Ontario Works client file for (}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessments for {locations removed}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'location', 'remove', 'waterloo']
Original Request: Two spill investigation reports prepared by Environmental Enforcement Services for {}, Kitchener on 2005/3/7 and 2005/3/28.
Tokens prepared for LDA: ['spill', 'investigation', 'report', 'prepare', 'environmental', 'enforcement', 'services', 'kitchener', '2005/3/7', '2005/3/28']
Original Request: Additives to water in City of Waterloo and identity of supplier.
Tokens prepared for LDA: ['additive', 'water', 'waterloo', 'identity', 'supplier']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Communications and other records regarding non-operation of fluoridation equipment.
Tokens prepared for LDA: ['communications', 'record', 'regard', 'operation', 'fluoridation', 'equipment']
Original Request: Records related to the draft backflow by-law.
Tokens prepared for LDA: ['record', 'relate', 'draft', 'backflow']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Documents submitted to provincial and federal governments for funding LRT and draft business case for rapid transit funding.
Tokens prepared for LDA: ['document', 'submit', 'provincial', 'federal', 'government', 'draft', 'business', 'rapid', 'transit']
Original Request: Records regarding allegations made to Licensing & Regulatory Services about a salvage yard at {}.
Tokens prepared for LDA: ['record', 'regard', 'allegation', 'license', 'regulatory', 'services', 'salvage']
Original Request: All bid prices for bidders regarding Request for Proposal 2009-63, photovoltaic systems for Operations Centre.
Tokens prepared for LDA: ['price', 'bidder', 'regard', 'request', 'proposal', 'photovoltaic', 'operations', 'centre']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, North Dumfries.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'north', 'dumfries']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Contract issued to {company } related to tender T2009-169 regarding green bin waste.
Tokens prepared for LDA: ['contract', 'issue', 'company', 'relate', 'tender', 't2009', 'regard', 'green', 'waste']
Original Request: Food product complaint investigation for pumpkin loaf purchased at {company }, Kitchener.
Tokens prepared for LDA: ['product', 'complaint', 'investigation', 'pumpkin', 'purchase', 'company', 'kitchener']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Winning bid for blueprinting services for 2010.
Tokens prepared for LDA: ['winning', 'blueprint', 'service']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment {}, Waterloo
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Request for Proposal bid of HSI; correspondence and report regarding bid; correspondence and reports relating to {company }.
Tokens prepared for LDA: ['request', 'proposal', 'correspondence', 'report', 'regard', 'correspondence', 'report', 'relate', 'company']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Food-borne Illness investigation regarding e. coli 0157 outbreak at {}, Kitchener on October 27, 2008.
Tokens prepared for LDA: ['illness', 'investigation', 'regard', 'outbreak', 'kitchener', 'october']
Original Request: Records relating to overpayment in Ontario Works client file for {}.
Tokens prepared for LDA: ['record', 'relate', 'overpayment', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}, Elmira.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'elmira']
Original Request: Data related to dental caries within the Region of Waterloo over past 10 years and records regarding the rate of caries in Kitchener verses Waterloo.
Tokens prepared for LDA: ['relate', 'dental', 'caries', 'region', 'waterloo', 'record', 'regard', 'caries', 'kitchener', 'verse', 'waterloo']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Records related to overpayment in Ontario Works client file for {}.
Tokens prepared for LDA: ['record', 'relate', 'overpayment', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}, Baden.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'baden']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Pricing information for Request for Proposal 2010-044 and 2010-045 for sludge removal and reservoir cleaning.
Tokens prepared for LDA: ['pricing', 'information', 'request', 'proposal', 'sludge', 'removal', 'reservoir', 'clean']
Original Request: Snow clearing records for Regional Roads that border Perth County for December 5 and 6, 2008.
Tokens prepared for LDA: ['clear', 'record', 'regional', 'roads', 'border', 'perth', 'county', 'december']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Public Health inspections of {}, Waterloo.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'waterloo']
Original Request: Food premise inspection records for {restaurant removed} on 5 specific dates in 2010.
Tokens prepared for LDA: ['premise', 'inspection', 'record', 'restaurant', 'remove', 'specific']
Original Request: Class environmental assessment for {} reconstruction and watermain work in 2004 and 2005.
Tokens prepared for LDA: ['class', 'environmental', 'assessment', 'reconstruction', 'watermain']
Original Request: Phase I environmental site assessment for {}, Ayr.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment']
Original Request: Information about staffing, benefits and remuneration of Social Services employees; hourly wages and benefits for external agencies and sole proprietors that Region contracts to provide Social Services.
Tokens prepared for LDA: ['information', 'staff', 'benefit', 'remuneration', 'social', 'services', 'employee', 'hourly', 'benefit', 'external', 'agency', 'proprietor', 'region', 'contract', 'provide', 'social', 'services']
Original Request: Request for information about laser speed unit and Ontario Provincial Police officer related to a speeding ticket trial in the Provincial Offences Court.
Tokens prepared for LDA: ['request', 'information', 'laser', 'speed', 'ontario', 'provincial', 'police', 'officer', 'relate', 'speed', 'ticket', 'trial', 'provincial', 'offence', 'court']
Original Request: Phase 1 Environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase 1 Environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Food premise inspections for {restaurant } from November 24, 2010 to date.
Tokens prepared for LDA: ['premise', 'inspection', 'restaurant', 'november']
Original Request: Phase I environmental site assessment for {}, Petersburg.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'petersburg']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Rabies control investigation file.
Tokens prepared for LDA: ['rabies', 'control', 'investigation']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Receipt provided to Ontario Works client {} for child care between November 14 and December 15, 2010.
Tokens prepared for LDA: ['receipt', 'provide', 'ontario', 'works', 'client', 'child', 'november', 'december']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Records related to sidewalk repairs, inspections, complaints and falls at {}, Kitchener.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'repair', 'inspection', 'complaint', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for{}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, North Dumfries.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'north', 'dumfries']
Original Request: List of companies paying a sewer surcharge for biochemical oxygen demand and the surcharge amount paid for 2010.
Tokens prepared for LDA: ['company', 'sewer', 'surcharge', 'biochemical', 'oxygen', 'demand', 'surcharge']
Original Request: Phase I environmental site assessments for {addresses removed}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'address', 'remove', 'waterloo']
Original Request: Winning bid for blueprinting services for 2011.
Tokens prepared for LDA: ['winning', 'blueprint', 'service']
Original Request: Sewer Surcharge Agreement Companies that have violated agreement in 2009, 2010 and 2011 and the non-compliant values.
Tokens prepared for LDA: ['sewer', 'surcharge', 'agreement', 'company', 'violate', 'agreement', 'compliant', 'value']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Three environmental reports submitted with a subdivision application by {developer removed}.
Tokens prepared for LDA: ['environmental', 'report', 'submit', 'subdivision', 'application', 'developer', 'removed}.']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for{}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Phase I environmental site assessment for {}, Kitchener
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Reports regarding an investigation of a collision between a pedestrian and GRT bus at Homer Watson Boulevard and Block Line Road roundabout {date removed}.
Tokens prepared for LDA: ['report', 'regard', 'investigation', 'collision', 'pedestrian', 'homer', 'watson', 'boulevard', 'block', 'roundabout', 'removed}.']
Original Request: Value for money analysis prepared by Deloitte for LRT project regarding private operation.
Tokens prepared for LDA: ['value', 'money', 'analysis', 'prepare', 'deloitte', 'project', 'regard', 'private', 'operation']
Original Request: Signage placement and changes to signage at Homer Watson Boulevard and Block Line Road between August and December 15, 2011.
Tokens prepared for LDA: ['signage', 'placement', 'change', 'signage', 'homer', 'watson', 'boulevard', 'block', 'august', 'december']
Original Request: Rabies control investigation records regarding a bite by a Waterloo Regional Police Service dog on {date removed}.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'record', 'regard', 'waterloo', 'regional', 'police', 'service', 'removed}.']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Information about land holdings related to benefits from LRT routes for Regional Councillors.
Tokens prepared for LDA: ['information', 'holding', 'relate', 'benefit', 'route', 'regional', 'councillor']
Original Request: Phase I environmental site assessments for 7 properties along Stirling Avenue South and Mill Street in Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'property', 'stirling', 'avenue', 'south', 'street', 'kitchener']
Original Request: Winning bid for blueprinting services for 2012.
Tokens prepared for LDA: ['winning', 'blueprint', 'service']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Assessments and related records concerning solid waste management and records exchanged between the Region of Waterloo and {company }, {company } and the Ministry of the Environment between January 2010 and April 2012.
Tokens prepared for LDA: ['assessment', 'relate', 'record', 'concern', 'solid', 'waste', 'management', 'record', 'exchange', 'region', 'waterloo', 'company', 'company', 'ministry', 'environment', 'january', 'april']
Original Request: Phase I environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for {}, Elmira.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'elmira']
Original Request: Specifications and price sheets for tanker truck rentals Q2012-1103.
Tokens prepared for LDA: ['specification', 'price', 'sheet', 'tanker', 'truck', 'rental', 'q2012']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Request for Proposal P2012-11 winning bid including staff assessments and scoring.
Tokens prepared for LDA: ['request', 'proposal', 'p2012', 'include', 'staff', 'assessment', 'score']
Original Request: Request for Proposal P2012-11 pricing of winning bid; delivery/pickup services section of winning bid; and scoring of the final bids.
Tokens prepared for LDA: ['request', 'proposal', 'p2012', 'price', 'delivery', 'pickup', 'service', 'section', 'score', 'final']
Original Request: Phase I environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: Rabies control investigation records.
Tokens prepared for LDA: ['rabies', 'control', 'investigation', 'record']
Original Request: Phase I Environmental site assessment for {}, Cambridge.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'cambridge']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I Environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: Phase I Environmental site assessment for {}, Waterloo.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'waterloo']
Original Request: Phase I environmental site assessment for parcel of land in Hespeler {}, including road right of way for part of Black Bridge Road and Town Line Road.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'parcel', 'hespeler', 'include', 'right', 'black', 'bridge']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Taxi owner, driver, broker identity and related vehicle information for {company } and {company } for 2012.
Tokens prepared for LDA: ['owner', 'driver', 'break', 'identity', 'relate', 'vehicle', 'information', 'company', 'company']
Original Request: Phase I Environmental site assessment for parcel of land near {}, St. Jacob's.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'parcel', 'jacob']
Original Request: Phase I environmental site assessment for parcel of land {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'parcel', 'kitchener']
Original Request: All records related to the Comprehensive Review for Employment Lands (City of Kitchener).
Tokens prepared for LDA: ['record', 'relate', 'comprehensive', 'review', 'employment', 'land', 'kitchener']
Original Request: Financial records, audited statements, and correspondence regarding {company } affordable housing.
Tokens prepared for LDA: ['financial', 'record', 'audit', 'statement', 'correspondence', 'regard', 'company', 'affordable', 'house']
Original Request: 18 items relating to Housing Services Division involvement with property management suppliers and issues for {company }.
Tokens prepared for LDA: ['relate', 'housing', 'services', 'division', 'involvement', 'property', 'management', 'supplier', 'issue', 'company']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}, Kitchener.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'kitchener']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Records related to sidewalk repairs, inspections, complaints and falls at {}, Kitchener.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'repair', 'inspection', 'complaint', 'kitchener']
Original Request: Rabies control inspection records for incident occurring on {date removed}.
Tokens prepared for LDA: ['rabies', 'control', 'inspection', 'record', 'incident', 'occur', 'removed}.']
Original Request: Public Health inspection records related to the pool at {}, Waterloo; for period 2009/12/6 to date.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'relate', 'waterloo', 'period', '2009/12/6']
Original Request: Property standards inspections regarding balconies at {}, Waterloo.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'regard', 'balcony', 'waterloo']
Original Request: Property standards inspections regarding {}, Kitchener.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'regard', 'kitchener']
Original Request: Video recording from GRT bus regarding a passenger struck by vehicle after exiting bus on {}, Waterloo on November 2, 2012.
Tokens prepared for LDA: ['video', 'record', 'regard', 'passenger', 'strike', 'vehicle', 'waterloo', 'november']
Original Request: Winning bid for blueprinting services for 2013.
Tokens prepared for LDA: ['winning', 'blueprint', 'service']
Original Request: All records relating to a presentation by {} for the Community Safety and Crime Prevention Council on May 8, 2007.
Tokens prepared for LDA: ['record', 'relate', 'presentation', 'community', 'safety', 'crime', 'prevention', 'council']
Original Request: A list of expenses related to a presentation by {} for the Community Safety and Crime Prevention Council on May 8, 2007.
Tokens prepared for LDA: ['expense', 'relate', 'presentation', 'community', 'safety', 'crime', 'prevention', 'council']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environmental site assessment for {}.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment']
Original Request: Multiple transportation operations and engineering records for {}.
Tokens prepared for LDA: ['multiple', 'transportation', 'operation', 'engineer', 'record']
Original Request: Investigation report 12IS02-184, regarding Emergency Medical Services.
Tokens prepared for LDA: ['investigation', 'report', '12is02', 'regard', 'emergency', 'medical', 'services']
Original Request: Proposal PQ2012-03 - Preston WWTP; notes, evaluation meeting minutes, and scorecards for all submissions.
Tokens prepared for LDA: ['proposal', 'pq2012', 'preston', 'evaluation', 'minute', 'scorecard', 'submission']
Original Request: Proposal PQ2012-03 - Preston WWTP; all submissions that pre-qualified for the project.
Tokens prepared for LDA: ['proposal', 'pq2012', 'preston', 'submission', 'qualify', 'project']
Original Request: Records related to the dismissal of {name and position removed} in March 2013, including compensation paid in 2013 and severance.
Tokens prepared for LDA: ['record', 'relate', 'dismissal', 'position', 'remove', 'march', 'include', 'compensation', 'severance']
Original Request: Phase I environmental site assessment for {}.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment']
Original Request: Food-borne illness complaint records for {company name and } on June 13, 2011.
Tokens prepared for LDA: ['illness', 'complaint', 'record', 'company']
Original Request: Lease, negotiations and breakdown of costs for {company } at the Region of Waterloo International Airport.
Tokens prepared for LDA: ['lease', 'negotiation', 'breakdown', 'company', 'region', 'waterloo', 'international', 'airport']
Original Request: Pool and spa inspection records for {}
Tokens prepared for LDA: ['inspection', 'record']
Original Request: Arborist inspection, complaints, tree maintenance practices, and committee reports regarding inspections as a result of an injury caused by falling tree at {}.
Tokens prepared for LDA: ['arborist', 'inspection', 'complaint', 'maintenance', 'practice', 'committee', 'report', 'regard', 'inspection', 'result', 'injury', 'cause']
Original Request: Multiple transportation operations and engineering records for {} between May 1 and 2, 2013.
Tokens prepared for LDA: ['multiple', 'transportation', 'operation', 'engineer', 'record']
Original Request: Identity and affiliation of freedom of information request {request number removed}.
Tokens prepared for LDA: ['identity', 'affiliation', 'freedom', 'information', 'request', 'request', 'removed}.']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Information relating to the planning and costs directly and indirectly relating to the LRT; and the process used to determine how the public was consulted.
Tokens prepared for LDA: ['information', 'relate', 'directly', 'indirectly', 'relate', 'process', 'determine', 'public', 'consult']
Original Request: Requester's personal information provided to {organization } by Family & Children's Services in relation to former spouse's application for assisted housing.
Tokens prepared for LDA: ['requester', 'personal', 'information', 'provide', 'organization', 'family', 'child', 'services', 'relation', 'spouse', 'application', 'assist', 'house']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Contract with City of Guelph for organics processing and other items related to finances.
Tokens prepared for LDA: ['contract', 'guelph', 'organic', 'process', 'relate', 'finance']
Original Request: Records pertaining to requester and {company } from 1987 to date.
Tokens prepared for LDA: ['record', 'pertain', 'requester', 'company']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: All records related to contracts and/or funding agreements between the Region of Waterloo and {organization }.
Tokens prepared for LDA: ['record', 'relate', 'contract', 'and/or', 'agreement', 'region', 'waterloo', 'organization']
Original Request: Occurrence report, notes, witness statements and other information concerning a motor vehicle accident on November 22, 2010.
Tokens prepared for LDA: ['occurrence', 'report', 'witness', 'statement', 'information', 'concern', 'motor', 'vehicle', 'accident', 'november']
Original Request: Grand River Transit bus video of requester suffering medical emergency on iXpress 200, on {date removed} approaching {}.
Tokens prepared for LDA: ['grand', 'river', 'transit', 'video', 'requester', 'suffer', 'medical', 'emergency', 'ixpress', 'remove', 'approach']
Original Request: Records related to Official Plan Amendment 25 passed by North Dumfries, JK Developments GP2 Ltd. and Delmart Holdings Inc. between July 15, 2013 and October 10, 2013.
Tokens prepared for LDA: ['record', 'relate', 'official', 'amendment', 'north', 'dumfries', 'development', 'delmart', 'holding', 'october']
Original Request: Video recording from Grand River Transit bus regarding collision with requester's vehicle.
Tokens prepared for LDA: ['video', 'record', 'grand', 'river', 'transit', 'regard', 'collision', 'requester', 'vehicle']
Original Request: Contracts issued for the Waterloo Wastewater Treatment plant project, plus amendments and emails related to the contracts.
Tokens prepared for LDA: ['contract', 'issue', 'waterloo', 'wastewater', 'treatment', 'plant', 'project', 'amendment', 'email', 'relate', 'contract']
Original Request: Agreement between Region of Waterloo and Metrolinx for the assignment of LRT train sets from the TTC.
Tokens prepared for LDA: ['agreement', 'region', 'waterloo', 'metrolinx', 'assignment', 'train']
Original Request: Financial records and audited statements regarding {company }; correspondence between Region of Waterloo and developer regarding information requests, financial statements and management of the development.
Tokens prepared for LDA: ['financial', 'record', 'audit', 'statement', 'regard', 'company', 'correspondence', 'region', 'waterloo', 'developer', 'regard', 'information', 'request', 'financial', 'statement', 'management', 'development']
Original Request: Copy of Ontario Works client file for {} from January 9, 2009 to date.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'january']
Original Request: Camera recording at {} from September 24, 2013.
Tokens prepared for LDA: ['camera', 'record', 'september']
Original Request: Records related to the dismissal of {name and position removed} in March 2013, including compensation paid in 2013 and severance.
Tokens prepared for LDA: ['record', 'relate', 'dismissal', 'position', 'remove', 'march', 'include', 'compensation', 'severance']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Phase I environemntal site assesment for {}.
Tokens prepared for LDA: ['phase', 'environemntal', 'assesment']
Original Request: 1998 Reconnaissance TCE Investigation for {} and report URS R-A-DA-98-02.
Tokens prepared for LDA: ['reconnaissance', 'investigation', 'report', 'da-98']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Financial reporting, statements and audits for {business removed} from 2009 to 2013 including correspondence.
Tokens prepared for LDA: ['financial', 'report', 'statement', 'audit', 'business', 'remove', 'include', 'correspondence']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Any and all records related to {organization } from 2001 to present.
Tokens prepared for LDA: ['record', 'relate', 'organization', 'present']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: All correspondence between the Region of Waterloo and {} from September 2012 to present that relates to {} or {orgnization }.
Tokens prepared for LDA: ['correspondence', 'region', 'waterloo', 'september', 'present', 'relate', 'orgnization']
Original Request: All records related to the possiblity of making a complaint to the {orgnization } about {}or {organization }.
Tokens prepared for LDA: ['record', 'relate', 'possiblity', 'complaint', 'orgnization', 'organization']
Original Request: Any and all correspondence between the Regional of Waterloo and any of the following individuals from September 2012 to present: {names removed}.
Tokens prepared for LDA: ['correspondence', 'regional', 'waterloo', 'follow', 'individual', 'september', 'present', 'removed}.']
Original Request: Project agreement between Region of Waterloo and GrandLinq.
Tokens prepared for LDA: ['project', 'agreement', 'region', 'waterloo', 'grandlinq']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Video surveillance relating to accident occurring on {date removed} at the GRT Bus Terminal in Cambridge.
Tokens prepared for LDA: ['video', 'surveillance', 'relate', 'accident', 'occur', 'remove', 'terminal', 'cambridge']
Original Request: GRT Bus 2416 outside video footage from {date removed} at 2:00 pm.
Tokens prepared for LDA: ['outside', 'video', 'footage', 'remove']
Original Request: A complete copy of Ontario Works client file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: GRT Bus 2416 outside video footage from {date removed} at 2:00 pm.
Tokens prepared for LDA: ['outside', 'video', 'footage', 'remove']
Original Request: Notes of the nurse/employee who visited {} on {date removed} with a police officer; notes of any other Regional employee regarding this incident; any witness statements; any evidence relied on by Regional employees; any occurrence report or summary report prepared by Regional employees; any photograph or video from the scene of the incident; any other report, document, summary of the incident; all records regarding this incident in the possession of the Region.
Tokens prepared for LDA: ['note', 'nurse', 'employee', 'visit', 'remove', 'police', 'officer', 'regional', 'employee', 'regard', 'incident', 'witness', 'statement', 'evidence', 'regional', 'employee', 'occurrence', 'report', 'summary', 'report', 'prepare', 'regional', 'employee', 'photograph', 'video', 'scene', 'incident', 'report', 'document', 'summary', 'incident', 'record', 'regard', 'incident', 'possession', 'region']
Original Request: A file search for tobacco on {company name and }
Tokens prepared for LDA: ['search', 'tobacco', 'company']
Original Request: Copy of any Ontario Disability Service Program file for {} from November 2011 to present.
Tokens prepared for LDA: ['ontario', 'disability', 'service', 'program', 'november', 'present']
Original Request: Ontario Works client file {} from January 1, 2011 to present.
Tokens prepared for LDA: ['ontario', 'works', 'client', 'january', 'present']
Original Request: A file search for tobacco on Big Bear Food Mart, 159 Highland Road East, Kitchener.
Tokens prepared for LDA: ['search', 'tobacco', 'highland', 'kitchener']
Original Request: 1. A copy of the successful proposal in response to the RFP C2014-39 for Tender Preparation, Contract Administration and Construction Inspection Services for the Construction of the Waterloo Spur Line Trail from Regina Street in the City of Waterloo to Ahrens Street in the City of Kitchener issued by the Regional Municipality of Waterloo on October 15, 2014.� Please exclude any promotional material that may have been submitted with the proposal and may be considered proprietary. 2. The total number of submissions and the dollar value of the top three submissions for RFP C2014-39.
Tokens prepared for LDA: ['successful', 'proposal', 'response', 'c2014', 'tender', 'preparation', 'contract', 'administration', 'construction', 'inspection', 'services', 'construction', 'waterloo', 'trail', 'regina', 'street', 'waterloo', 'ahrens', 'street', 'kitchener', 'issue', 'regional', 'municipality', 'waterloo', 'october', 'exclude', 'promotional', 'material', 'submit', 'proposal', 'consider', 'proprietary', 'total', 'submission', 'dollar', 'value', 'submission', 'c2014']
Original Request: a Copy of Plan TC-246-K Signal Design Dated 9/12/03 housed on the 7th floor at the Region of Waterloo (Traffic Control)
Tokens prepared for LDA: ['tc-246-k', 'signal', 'design', 'date', '9/12/03', 'house', 'floor', 'region', 'waterloo', 'traffic', 'control']
Original Request: Copy of {} complete Ontario Works file.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of {} Social Assistance file from January 1, 2011 to present
Tokens prepared for LDA: ['complete', 'social', 'assistance', 'january', 'present']
Original Request: Complete file regarding {} dog attack on October 26, 2014
Tokens prepared for LDA: ['complete', 'regard', 'attack', 'october']
Original Request: Complete copy of {} Ontario Disability Support Program file from May 30, 2009 to present.
Tokens prepared for LDA: ['complete', 'ontario', 'disability', 'support', 'program', 'present']
Original Request: Copy of the video from the Grand River Transit bus cameras together with copies of any and all records in relation to the incident that occurred on Route 22 on June 18, 2014.
Tokens prepared for LDA: ['video', 'grand', 'river', 'transit', 'camera', 'record', 'relation', 'incident', 'occur', 'route']
Original Request: A list of company names and addresses that were monitored by the Region of Waterloo in 2014 for compliance with By-Law 1-90, sewer use, and identify which companies failed to comply with the discharge limits.
Tokens prepared for LDA: ['company', 'address', 'monitor', 'region', 'waterloo', 'compliance', 'sewer', 'identify', 'company', 'comply', 'discharge', 'limit']
Original Request: Copy of {} Ontario Works File from 3 years prior to January 22, 2013, including the application and medical reports at the time it was submitted.
Tokens prepared for LDA: ['ontario', 'works', 'prior', 'january', 'include', 'application', 'medical', 'report', 'submit']
Original Request: Any environmental concerns files regarding previous 75 Columbia Street East, Waterloo, which now consists of 45, 55, & 75 Columbia Street.
Tokens prepared for LDA: ['environmental', 'concern', 'regard', 'previous', 'columbia', 'street', 'waterloo', 'consist', 'columbia', 'street']
Original Request: Video footage from a MobilityPLUS vehicle on October 19, 2014 in relation to an incident involving {}.
Tokens prepared for LDA: ['video', 'footage', 'mobilityplus', 'vehicle', 'october', 'relation', 'incident', 'involve']
Original Request: Complete copy of {} Ontario Works client file.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'client']
Original Request: Copy of {} complete Ontario Works File while in Kitchener program
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'kitchener', 'program']
Original Request: Hopewell now Bentall Developments � BMP Agreements between the Region and Bentall/Safety Kleen including emergency response documents if any and all agreements between the Region and Hopewell/Bentall Developments
Tokens prepared for LDA: ['hopewell', 'bentall', 'development', 'agreement', 'region', 'bentall', 'safety', 'kleen', 'include', 'emergency', 'response', 'document', 'agreement', 'region', 'hopewell', 'bentall', 'development']
Original Request: Site Conditions on Property surrounding 420 Pinebush Rd., including 420 Pinebush Rd., 400-410 Pinebush Rd. Cambridge including EA Reports and MOE Approval
Tokens prepared for LDA: ['conditions', 'property', 'surround', 'pinebush', 'include', 'pinebush', 'pinebush', 'cambridge', 'include', 'report', 'approval']
Original Request: Development agreement, all maps as well as communications between the Region of Waterloo, City of Cambridge and Hopewell Developments and City Edge Developments for the �Temporary Private Sanitary Pump Station� and �Forcemain outlet installed at Fleming Drive Crossing Pinebush Rd.�
Tokens prepared for LDA: ['development', 'agreement', 'communication', 'region', 'waterloo', 'cambridge', 'hopewell', 'development', 'development', 'temporary', 'private', 'sanitary', 'station', 'forcemain', 'outlet', 'install', 'fleming', 'drive', 'crossing', 'pinebush']
Original Request: Copy of {} complete Ontario Works File
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete file regarding {} dog attack on June 15, 2013
Tokens prepared for LDA: ['complete', 'regard', 'attack']
Original Request: Video footage taken on the number 8 bus to Fairway at the point where it stopped to collect passengers around 8:12 pm at Lincoln and Weber in the City of Waterloo on May 12, 2015
Tokens prepared for LDA: ['video', 'footage', 'fairway', 'point', 'collect', 'passenger', 'lincoln', 'weber', 'waterloo']
Original Request: 1.�Doon Valley Manor Supportive Housing assessment sheet results for Proponent Description in the Region of Waterloo�s Prequalification-PQ2014-04 2.�Doon Valley Manor Supportive Housing assessment sheet results for Proposed Program Description� in the Region of Waterloo�s Prequalification-PQ2014-04
Tokens prepared for LDA: ['valley', 'manor', 'supportive', 'housing', 'assessment', 'sheet', 'result', 'proponent', 'description', 'region', 'waterloo', 'prequalification', 'pq2014', 'valley', 'manor', 'supportive', 'housing', 'assessment', 'sheet', 'result', 'propose', 'program', 'description', 'region', 'waterloo', 'prequalification', 'pq2014']
Original Request: Any records regarding the RMOW's special council meeting on May 26, 2015, specifically the determination that the matter was urgent, and that the notice procedures in the Procedural By-law should be waived; staff report to Council dated May 26, 2015.
Tokens prepared for LDA: ['record', 'regard', 'special', 'council', 'specifically', 'determination', 'urgent', 'notice', 'procedure', 'procedural', 'waive', 'staff', 'report', 'council']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: A copy of video surveillance for May 28, 2015 between 1:00 pm - 12:00 am at Kitchener bus terminal upper level.
Tokens prepared for LDA: ['video', 'surveillance', '12:00', 'kitchener', 'terminal', 'upper', 'level']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Report of any outstanding work orders or deficiency notice(s) (including violations under the Smoke-Free Ontario Act) filed against Top Convenience, located at 370 Highland Road West, Kitchener
Tokens prepared for LDA: ['report', 'outstanding', 'order', 'deficiency', 'notice(s', 'include', 'violation', 'smoke', 'ontario', 'convenience', 'locate', 'highland', 'kitchener']
Original Request: Video footage of an incident that took place on a GRT Bus on March 19, 2015 at Pinebush and Hwy 24
Tokens prepared for LDA: ['video', 'footage', 'incident', 'place', 'march', 'pinebush']
Original Request: Investigation file and notes of Natan Somer, Public Health Inspector with regard to an investigation into Salmonella poisoning of {}.
Tokens prepared for LDA: ['investigation', 'natan', 'some', 'public', 'health', 'inspector', 'regard', 'investigation', 'salmonella', 'poison']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: The amount budgeted or reserved for by the Region in any year, directly or indirectly for claims for "injurious affection," as that term is defined in the Expropriations Act, associated with the construction of the Light Rail Transit.
Tokens prepared for LDA: ['budget', 'reserve', 'region', 'directly', 'indirectly', 'claim', 'injurious', 'affection', 'define', 'expropriation', 'associate', 'construction', 'light', 'transit']
Original Request: Complete Ontario Works file of {}
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Copy of a report from the early 1990's about an illness {} suffered with terrible diarrhea.
Tokens prepared for LDA: ['report', 'early', 'illness', 'suffer', 'terrible', 'diarrhea']
Original Request: A full complete accounting of the total cost of employee parking for 2014, including back up in the form of copies of source documents. A full and complete accounting of the total recovered from employees for parking in 2014, including the number of employees paying for offsite parking, onsite parking and number of employees not paying for parking. A full and complete accounting of total taxable benefits assessed for parking for 2014.
Tokens prepared for LDA: ['complete', 'account', 'total', 'employee', 'include', 'source', 'document', 'complete', 'account', 'total', 'recover', 'employee', 'include', 'employee', 'offsite', 'onsite', 'employee', 'complete', 'account', 'total', 'taxable', 'benefit', 'ass']
Original Request: Complete copy of the complaint file of {} including, but not limited to the documents relating to a dog bite which occurred on April 7, 2014. Any records related to dog bite incident, and any other logs/registration information pertaining to the owner of the dog in question.
Tokens prepared for LDA: ['complete', 'complaint', 'include', 'limit', 'document', 'relate', 'occur', 'april', 'record', 'relate', 'incident', 'registration', 'information', 'pertain', 'owner', 'question']
Original Request: Report compiled by Public Health Inspector, Carolyn Biglow on the dog bite which took place on the night of October 31, 2015.
Tokens prepared for LDA: ['report', 'compile', 'public', 'health', 'inspector', 'carolyn', 'biglow', 'place', 'night', 'october']
Original Request: Copy of complete records with respect to a dog bite received by {} on August 28, 2015 including, but not limited to, all incident reports, investigation notes and witness statements, together with inoculation information relating to the dog.
Tokens prepared for LDA: ['complete', 'record', 'respect', 'receive', 'august', 'include', 'limit', 'incident', 'report', 'investigation', 'witness', 'statement', 'inoculation', 'information', 'relate']
Original Request: Court documentation from 1996 to present; all Family Responsibilities Office documents for all children, all amounts owing per year, and proof of payments made by {}; all school documents including enrollment records per child.
Tokens prepared for LDA: ['court', 'documentation', 'present', 'family', 'responsibility', 'office', 'document', 'child', 'proof', 'payment', 'school', 'document', 'include', 'enrollment', 'record', 'child']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Names and addresses of all snow removal companies/contractors contracted on February 27, 2014; in particular contact information for the company responsible for the area of Fischer-Hallman Road near its intersection with New Dundee Road.
Tokens prepared for LDA: ['names', 'address', 'removal', 'company', 'contractor', 'contract', 'february', 'particular', 'contact', 'information', 'company', 'responsible', 'fischer', 'hallman', 'intersection', 'dundee']
Original Request: Any and all records related to Sand Hills Co-operative Homes Inc. from 2001 to present. Including any and all versions of electronic documents from document control authority.
Tokens prepared for LDA: ['record', 'relate', 'hill', 'operative', 'home', 'present', 'include', 'version', 'electronic', 'document', 'document', 'control', 'authority']
Original Request: Copies of public health inspection reports for Crystal Nail & Spa, 373 Bridge Street West, Waterloo made between July and August 2014.
Tokens prepared for LDA: ['copy', 'public', 'health', 'inspection', 'report', 'crystal', 'bridge', 'street', 'waterloo', 'august']
Original Request: Dollars spent on homelessness prevention programs in the first quarter of 2013 and in 2013/2014 and 2014/2015, broken down by provincial and municipal contributions; and number of issuances of financial assistance to clients through these programs during the same time periods.
Tokens prepared for LDA: ['dollar', 'spend', 'homelessness', 'prevention', 'program', 'quarter', '2013/2014', '2014/2015', 'break', 'provincial', 'municipal', 'contribution', 'issuance', 'financial', 'assistance', 'client', 'program', 'period']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: All records concerning {} in the possession of the Eviction Prevention Unit, Ontario Works.
Tokens prepared for LDA: ['record', 'concern', 'possession', 'eviction', 'prevention', 'ontario', 'works']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Any environmental records that the Region of Waterloo has for the property with the following legal description including any environmental or geophysical reports, documents, photographs or drawings. Legal description: Plan 675 Pt lot 1 RP58R15232 P+2, Kitchener, Ontario.
Tokens prepared for LDA: ['environmental', 'record', 'region', 'waterloo', 'property', 'follow', 'legal', 'description', 'include', 'environmental', 'geophysical', 'report', 'document', 'photograph', 'drawing', 'legal', 'description', 'rp58r15232', 'kitchener', 'ontario']
Original Request: Region of Waterloo documentation relating to {} in connection to April 27, 2009 incident at Erb Street at or near Bluevale Street. Including any Notice letter to the Region, any property damage documentation, all colour photographs of scene/pothole, name and contact information of supervisor responsible for highway repair/scene, any statement of {}.
Tokens prepared for LDA: ['region', 'waterloo', 'documentation', 'relate', 'connection', 'april', 'incident', 'street', 'bluevale', 'street', 'include', 'notice', 'letter', 'region', 'property', 'damage', 'documentation', 'colour', 'photograph', 'scene', 'pothole', 'contact', 'information', 'supervisor', 'responsible', 'highway', 'repair', 'scene', 'statement']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: All prequalification proposals, scores, debriefs, and selection committee information for PQ2014-04 CHPI, Supportive Housing Program.
Tokens prepared for LDA: ['prequalification', 'proposal', 'score', 'debrief', 'selection', 'committee', 'information', 'pq2014', 'supportive', 'housing', 'program']
Original Request: All request for proposals, scores, debriefs, presentations, site visit and selection committee information for P2015-01, CHPI Supportive Housing Program.
Tokens prepared for LDA: ['request', 'proposal', 'score', 'debrief', 'presentation', 'visit', 'selection', 'committee', 'information', 'p2015', 'supportive', 'housing', 'program']
Original Request: Any and all records, emails and correspondence related to myself and involving the Region of Waterloo and third parties
Tokens prepared for LDA: ['record', 'email', 'correspondence', 'relate', 'involve', 'region', 'waterloo', 'party']
Original Request: Grand River Transit video surveillance.
Tokens prepared for LDA: ['grand', 'river', 'transit', 'video', 'surveillance']
Original Request: Phase One Environmental Site Assessment for 650 Mountain Maple Avenue, Waterloo, Ontario, N2V 2P7; records of spills, incidents, complaints, violations, notices, orders or other directives; and record of any cleanups or remediation which the Region of Waterloo may have on file for the property
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'mountain', 'maple', 'avenue', 'waterloo', 'ontario', 'record', 'spill', 'incident', 'complaint', 'violation', 'notice', 'order', 'directive', 'record', 'cleanup', 'remediation', 'region', 'waterloo', 'property']
Original Request: Phase One Environmental Site Assessment for 200 Stirling MacGregor Drive, Cambridge, Ontario N1S 5B7; records of spills, incidents, complaints, violations, notices, orders, or other directives; and record of any clean ups or remediation which the Region of Waterloo may have on file for the property.
Tokens prepared for LDA: ['phase', 'environmental', 'assessment', 'stirling', 'macgregor', 'drive', 'cambridge', 'ontario', 'record', 'spill', 'incident', 'complaint', 'violation', 'notice', 'order', 'directive', 'record', 'clean', 'remediation', 'region', 'waterloo', 'property']
Original Request: Identify any records that the property (Part Lot 25, Concession 11, being Part 1 on Plan 58R-16493, Township of North Dumfries) or adjoining property is or has ever been used as a disposal site for garbage or toxic waste and whether there are any outstanding work orders or notices of violation for environmental purposes against the property.
Tokens prepared for LDA: ['identify', 'record', 'property', 'concession', '58r-16493', 'township', 'north', 'dumfries', 'adjoin', 'property', 'disposal', 'garbage', 'toxic', 'waste', 'outstanding', 'order', 'notice', 'violation', 'environmental', 'purpose', 'property']
Original Request: 1) Records for the past two years up to most current for the inspection, testing and maintaining of the traffic control signal system sub-systems at the intersection of Homer Watson Blvd. and Ottawa St. pursuant to "ONTARIO REGULATION 239/02 MINIMUM MAINTENANCE STANDARDS FOR MUNICIPAL HIGHWAYS", section 14 subsection (1). 2) Records for the past two years up to most current for the inspection, testing and maintaining of the conflict monitor(s) at the intersection of Homer Watson Blvd. and Ottawa St. pursuant to "ONTARIO REGULATION 239/02 MINIMUM MAINTENANCE STANDARDS FOR MUNICIPAL HIGHWAYS", section 14 subsection (2). 3) Records for the past two years up to most current for the inspection, testing and maintenance of the red light camera system at the intersection of Homer Watson Blvd. and Ottawa St. 4) Records for the past two years up to the most current year for any corrective maintenance that needed to take place for the traffic control signal system sub-systems at the intersection of Homer Watson Blvd. and Ottawa St. 5) Records for the past two years up to the most current year for any corrective maintenance that needed to take place for the conflict monitor(s) at the intersection of Homer Watson Blvd. and Ottawa St. 6) Records for the past two years up to the most current year for any corrective maintenance that needed to take place for the red light camera system at the intersection of Homer Watson Blvd. and Ottawa St.
Tokens prepared for LDA: ['record', 'current', 'inspection', 'maintain', 'traffic', 'control', 'signal', 'intersection', 'homer', 'watson', 'ottawa', 'pursuant', 'ontario', 'regulation', '239/02', 'minimum', 'maintenance', 'standard', 'municipal', 'highway', 'section', 'subsection', 'record', 'current', 'inspection', 'maintain', 'conflict', 'monitor(s', 'intersection', 'homer', 'watson', 'ottawa', 'pursuant', 'ontario', 'regulation', '239/02', 'minimum', 'maintenance', 'standard', 'municipal', 'highway', 'section', 'subsection', 'record', 'current', 'inspection', 'maintenance', 'light', 'camera', 'intersection', 'homer', 'watson', 'ottawa', 'record', 'current', 'corrective', 'maintenance', 'place', 'traffic', 'control', 'signal', 'intersection', 'homer', 'watson', 'ottawa', 'record', 'current', 'corrective', 'maintenance', 'place', 'conflict', 'monitor(s', 'intersection', 'homer', 'watson', 'ottawa', 'record', 'current', 'corrective', 'maintenance', 'place', 'light', 'camera', 'intersection', 'homer', 'watson', 'ottawa']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of the Ontario Works file for {individual by agent}.
Tokens prepared for LDA: ['complete', 'ontario', 'works', 'individual', 'agent}.']
Original Request: 1) What was the scheduled shift for Paramedics {} and {} on Sunday June 28, 2015?
2) Was their unit responding to a call for service at that time?
3) The computer log data for Waterloo Region EMS indicating all calls for service on June 28, 2015 between 0600 and 0645 hours.
4) The computer log data, if it exists, which records the activation for that particular EMS vehicle�s emergency lights on June 28, 2015 between 0600 and 0645 hours.
Tokens prepared for LDA: ['schedule', 'shift', 'paramedic', 'sunday', 'respond', 'service', 'computer', 'datum', 'waterloo', 'region', 'indicate', 'service', 'computer', 'datum', 'exist', 'record', 'activation', 'particular', 'vehicle', 'emergency', 'light']
Original Request: Health Department records, for the property located at 1001 Bishop Street North in Cambridge, Ontario.
Tokens prepared for LDA: ['health', 'department', 'record', 'property', 'locate', 'bishop', 'street', 'north', 'cambridge', 'ontario']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: All documentation relating to the proposals received and the evaluation of proposals received for PQ2016-03, Prequalification of Electrical Subcontractors Elmira Wastewater Treatment Plant NFPA 820 & SCADA Upgrades.
Tokens prepared for LDA: ['documentation', 'relate', 'proposal', 'receive', 'evaluation', 'proposal', 'receive', 'pq2016', 'prequalification', 'electrical', 'subcontractor', 'elmira', 'wastewater', 'treatment', 'plant', 'scada', 'upgrade']
Original Request: Follow up to request 2016018 for 1) Traffic Signal Intersection Preventative Maintenance records for the period of January 16, 2014 - January 20, 2016 for the inspection, testing and maintaining of the display sub-system, consisting of traffic signal and pedestrian crossing heads, physical support structures and support cables at the intersection of Homer Watson Blvd. and Ottawa St. 2) Signal Work Order records for the period of January 16, 2014 - January 20, 2016 for the inspection, testing and maintaining of the display sub-system, consisting of traffic signal and pedestrian crossing heads, physical support structures and support cables at the intersection of Homer Watson Blvd. and Ottawa St.
Tokens prepared for LDA: ['follow', 'request', '2016018', 'traffic', 'signal', 'intersection', 'preventative', 'maintenance', 'record', 'period', 'january', 'january', 'inspection', 'maintain', 'display', 'consist', 'traffic', 'signal', 'pedestrian', 'cross', 'physical', 'support', 'structure', 'support', 'cable', 'intersection', 'homer', 'watson', 'ottawa', 'signal', 'order', 'record', 'period', 'january', 'january', 'inspection', 'maintain', 'display', 'consist', 'traffic', 'signal', 'pedestrian', 'cross', 'physical', 'support', 'structure', 'support', 'cable', 'intersection', 'homer', 'watson', 'ottawa']
Original Request: A complete copy of all records, documents, and call logs for any 1) EMS attendances at Stampede Corral Bar located at 248 Stirling Street South, Kitchener, Ontario, N2G 4L1, with respect to medical attention needed by a patron of this bar from January 1, 2009 to January 1, 2016; and 2) EMS attendances at the plaza located at 248 Stirling Street South, Kitchener, Ontario, N2G 4L2, with respect to any incidents of violence, injury, assault from January 1, 2009 to January 1, 2016.
Tokens prepared for LDA: ['complete', 'record', 'document', 'attendance', 'stampede', 'corral', 'locate', 'stirling', 'street', 'south', 'kitchener', 'ontario', 'respect', 'medical', 'attention', 'patron', 'january', 'january', 'attendance', 'plaza', 'locate', 'stirling', 'street', 'south', 'kitchener', 'ontario', 'respect', 'incident', 'violence', 'injury', 'assault', 'january', 'january']
Original Request: Advise if your records indicate whether 1250 Weber St. East complies with the Tobacco Control Act or if there are any work orders or deficiency notices against the property.
Tokens prepared for LDA: ['advise', 'record', 'indicate', 'weber', 'comply', 'tobacco', 'control', 'order', 'deficiency', 'notice', 'property']
Original Request: Records with respect to any incidents that occurred at the Island Grill Jerk establishment located at 2934 King St. East Unit 3 in the City of Kitchener in Municipality of Waterloo, from April 23, 2010 to present.
Tokens prepared for LDA: ['record', 'respect', 'incident', 'occur', 'island', 'grill', 'establishment', 'locate', 'kitchener', 'municipality', 'waterloo', 'april', 'present']
Original Request: Video of parking lot at Waterloo Region Museum on April 20, 2016 between 6:00pm and 9:30pm. Focus on South side spaces 4, 5, 6, 7, 8.
Tokens prepared for LDA: ['video', 'waterloo', 'region', 'museum', 'april', '6:00pm', '9:30pm', 'focus', 'south', 'space']
Original Request: List of all individuals currently restricted in any way from the transit system due to any type of sexual crime. Including but not limited to, outright bans on using transit and or any other type of restriction. Providing the year the restrictions came into place and the restrictions themselves for each individual.
Tokens prepared for LDA: ['individual', 'currently', 'restrict', 'transit', 'sexual', 'crime', 'include', 'limit', 'outright', 'transit', 'restriction', 'provide', 'restriction', 'place', 'restriction', 'individual']
Original Request: Data on all reported incidents of sexual crimes in the transit system or transit facilities (stops, stations etc.) from January 2010 to present. Provide the following: year of incident, general type of location of incident (bus, bus stop), type of incident, gender of perpetrator, gender of victim, and outcome of incident.
Tokens prepared for LDA: ['report', 'incident', 'sexual', 'crime', 'transit', 'transit', 'facility', 'station', 'january', 'present', 'provide', 'follow', 'incident', 'general', 'location', 'incident', 'incident', 'gender', 'perpetrator', 'gender', 'victim', 'outcome', 'incident']
Original Request: Any Correspondence between the City of Cambridge and the Region of Waterloo Transportation, Environment, Planning & Heritage departments regarding the Black Bridge Environmental Site Assessment study (P2011-52) by ByTown Engineering.
Tokens prepared for LDA: ['correspondence', 'cambridge', 'region', 'waterloo', 'transportation', 'environment', 'planning', 'heritage', 'department', 'regard', 'black', 'bridge', 'environmental', 'assessment', 'study', 'p2011', 'bytown', 'engineering']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Logs/records of the status and timing of the traffic light signals of the intersections of Albert and Philip St./Albert and Hazel St. for the month of September 2015.
Tokens prepared for LDA: ['record', 'status', 'traffic', 'light', 'signal', 'intersection', 'albert', 'philip', 'st./albert', 'hazel', 'month', 'september']
Original Request: Complete copy of the Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: 6 Environment reports: 1. 2011 Groundwater Monitoring, Inspection and Maintenance Program, Waterloo City Centre, CRA January 3, 2012; 2. 2010 Groundwater Monitoring, Inspection and Maintenance Program, Waterloo City Centre, CRA April 8, 2011; 3. R-A-CV-86-02 Recommended Approach for Management of Contaminated and Uncontaminated Soil at the Waterloo City Centre Site, Canviro 1986; 4. R-A-CV-86-03 Recommended Approach to Hydrogeological Assessment of the Waterloo City Centre Site Canviro 1986; 5. R-A-CV-87-04 Hydrogeologic Assessment of the Waterloo City Centre Site Canviro 1987; 6. R-A-CV-87-05 Hydrogeologic Assessment of the Waterloo City Centre Site- Interim Report Canviro 1987.
Tokens prepared for LDA: ['environment', 'report', 'groundwater', 'monitoring', 'inspection', 'maintenance', 'program', 'waterloo', 'centre', 'january', 'groundwater', 'monitoring', 'inspection', 'maintenance', 'program', 'waterloo', 'centre', 'april', 'cv-86', 'recommend', 'approach', 'management', 'contaminate', 'uncontaminated', 'waterloo', 'centre', 'canviro', 'cv-86', 'recommend', 'approach', 'hydrogeological', 'assessment', 'waterloo', 'centre', 'canviro', 'cv-87', 'hydrogeologic', 'assessment', 'waterloo', 'centre', 'canviro', 'cv-87', 'hydrogeologic', 'assessment', 'waterloo', 'centre', 'site-', 'interim', 'report', 'canviro']
Original Request: Any and all records including emails, faxes, and investigative findings, etc. pertaining to a formal complaint allegedly made by {} and/or {} of {} and received by the Region of Waterloo Social Planning towards and against {} and {}, the management of HUGO on or about January 20th, 2016. If these individuals are not the named complainants, request for names and any other information relating to anyone involved and connected to this complaint.
Tokens prepared for LDA: ['record', 'include', 'email', 'investigative', 'finding', 'pertain', 'formal', 'complaint', 'allegedly', 'and/or', 'receive', 'region', 'waterloo', 'social', 'planning', 'management', 'january', 'individual', 'complainant', 'request', 'information', 'relate', 'involve', 'connect', 'complaint']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Copies of all records about me, which are retrievable through the use of an Ontario Driver's License.
Tokens prepared for LDA: ['copy', 'record', 'retrievable', 'ontario', 'driver', 'license']
Original Request: Any records that evidence, reference, survey, or relate to the 1) purchase or installation of guardrail end terminal system, including the ET Plus System, installed on the roads and highways of the Region of Waterloo from 2005 to the present 2) performance of guardrail end terminal systems, including the ET Plus System 3) replacement of guardrail end terminal systems, including the ET Plus System 4) ownership or control of or responsibility for ET Plus guardrail end terminal systems 5) payment and/or reimbursement and/or discount provided by federal, provincial, city, municipal, or other funds of the purchase or installation of ET Plus guardrail end terminal system 6) criteria, factors, or features considered in deciding which guardrail end terminal systems to approve for use on the road and highways of Waterloo Region and in deciding which guardrail end terminal systems to include on any approved or qualified products lists 7) criteria, factors, or features considered in deciding which guardrail end terminal system to purchase for use on road or highway projects in Waterloo Region from 2005 to present.
Tokens prepared for LDA: ['record', 'evidence', 'reference', 'survey', 'relate', 'purchase', 'installation', 'guardrail', 'terminal', 'include', 'install', 'highway', 'region', 'waterloo', 'present', 'performance', 'guardrail', 'terminal', 'include', 'replacement', 'guardrail', 'terminal', 'include', 'ownership', 'control', 'responsibility', 'guardrail', 'terminal', 'payment', 'and/or', 'reimbursement', 'and/or', 'discount', 'provide', 'federal', 'provincial', 'municipal', 'purchase', 'installation', 'guardrail', 'terminal', 'criterium', 'factor', 'feature', 'consider', 'decide', 'guardrail', 'terminal', 'approve', 'highway', 'waterloo', 'region', 'decide', 'guardrail', 'terminal', 'include', 'approve', 'qualify', 'product', 'criterium', 'factor', 'feature', 'consider', 'decide', 'guardrail', 'terminal', 'purchase', 'highway', 'project', 'waterloo', 'region', 'present']
Original Request: All emails, letters and meeting reports and notes from 2014 to the end of 2016 related to Lancer Tiger Lofts Corporation or their representatives, accountant, or property manager from the Region of Waterloo or Ministry of Housing for Ontario.
Tokens prepared for LDA: ['email', 'letter', 'report', 'relate', 'lancer', 'tiger', 'loft', 'corporation', 'representative', 'accountant', 'property', 'manager', 'region', 'waterloo', 'ministry', 'housing', 'ontario']
Original Request: All information and/or documents pertaining to septic and septic systems for the property listed 92 Woolwich Street South, Breslau.
Tokens prepared for LDA: ['information', 'and/or', 'document', 'pertain', 'septic', 'septic', 'property', 'woolwich', 'street', 'south', 'breslau']
Original Request: Whatever documentation you might have that my client, {} is entitled to in relation to a dog bite occurring on September 4, 2015.
Tokens prepared for LDA: ['documentation', 'client', 'entitle', 'relation', 'occur', 'september']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Any records documenting attendance at a Ministry of Education course taken while a Paramedic at the Region of Waterloo ca. 2002.
Tokens prepared for LDA: ['record', 'document', 'attendance', 'ministry', 'education', 'course', 'paramedic', 'region', 'waterloo']
Original Request: The winning proposal for P2016-13 for Multicultural Interpretation & Translation Services. Please include all of the Region's scoring sheets, notes, and all other documents used to determine the winning proposal; as well as the final scoring for all bidders.
Tokens prepared for LDA: ['proposal', 'p2016', 'multicultural', 'interpretation', 'translation', 'services', 'include', 'region', 'score', 'sheet', 'document', 'determine', 'proposal', 'final', 'score', 'bidder']
Original Request: Records involving any environmental contaminations or concerns prior to or post-purchase of the property, 188-190 Water Street South, Cambridge, Ontario by the Regional Municipality of Waterloo.
Tokens prepared for LDA: ['record', 'involve', 'environmental', 'contamination', 'concern', 'prior', 'purchase', 'property', 'water', 'street', 'south', 'cambridge', 'ontario', 'regional', 'municipality', 'waterloo']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: A copy of the video surveillance of Grand River Transit Bus 21316 and Bus 21102 which were travelling by at the time of an accident involving {} on March 31, 2015 at Activa and Bridlewreath.
Tokens prepared for LDA: ['video', 'surveillance', 'grand', 'river', 'transit', '21316', '21102', 'travel', 'accident', 'involve', 'march', 'activa', 'bridlewreath']
Original Request: Video from westbound stopped Grand River Transit bus on July 22, 2016, Bus Route 20 approximately 6:00 pm at Chopin Dr. west of Westmount in Kitchener.
Tokens prepared for LDA: ['video', 'westbound', 'grand', 'river', 'transit', 'route', 'approximately', 'chopin', 'westmount', 'kitchener']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Information related to the spurline trail, specifically when the meter base was put in place on the pedestal and when it was energized by Kitchener Wilmot Hydro. The approximate location is on the trail around Wellington St. and Louisa St. (KWH239145). This meter base is for the light standards along this stretch of the trail.
Tokens prepared for LDA: ['information', 'relate', 'spurline', 'trail', 'specifically', 'meter', 'place', 'pedestal', 'energize', 'kitchener', 'wilmot', 'hydro', 'approximate', 'location', 'trail', 'wellington', 'louisa', 'kwh239145', 'meter', 'light', 'standard', 'stretch', 'trail']
Original Request: All by-law complaints and investigations related to {} since May 11, 2015.
Tokens prepared for LDA: ['complaint', 'investigation', 'relate']
Original Request: Complete highway traffic act file and transcripts with regards to charges for a motor vehicle accident on September 18, 2013.
Tokens prepared for LDA: ['complete', 'highway', 'traffic', 'transcript', 'regard', 'charge', 'motor', 'vehicle', 'accident', 'september']
Original Request: The status and timing sequence of the traffic light signals for the day of May 6, 2015 between the times on 12:00am to 2:00am at the intersections of Albert & Philip Streets and Albert & Hazel Streets in Waterloo.
Tokens prepared for LDA: ['status', 'sequence', 'traffic', 'light', 'signal', '12:00am', '2:00am', 'intersection', 'albert', 'philip', 'street', 'albert', 'hazel', 'street', 'waterloo']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Complete copy of Ontario Works file for {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Total number of EMS calls; number of times each ALS skill was used; total number of CTAS 1 & 2 returns and total number of offload delays in the most recent year.
Tokens prepared for LDA: ['total', 'skill', 'total', 'return', 'total', 'offload', 'delay', 'recent']
Original Request: Video from Grand River Transit Bus #8017 on Route 201 from Conestoga Mall at Fischer Hallman and Ottawa on August 19, 2016 at approximately 6:12 - 6:15pm.
Tokens prepared for LDA: ['video', 'grand', 'river', 'transit', 'route', 'conestoga', 'fischer', 'hallman', 'ottawa', 'august', 'approximately', '6:15pm']
Original Request: Employment file and other relevant financial information for {}.
Tokens prepared for LDA: ['employment', 'relevant', 'financial', 'information']
Original Request: Records relating to environmental spills, reports, data etc. or any other information relevant to 1300 Bishop St. North, Cambridge in terms of environmental information.
Tokens prepared for LDA: ['record', 'relate', 'environmental', 'spill', 'report', 'datum', 'information', 'relevant', 'bishop', 'north', 'cambridge', 'environmental', 'information']
Original Request: Names of security guards working at the Ainslie Grand River Transit terminal; audio video footage of the smoking area at the Ainslie St. terminal on Tuesday, October 11, 2016 from 5:30pm-6:00pm; audio video footage of Grand River Transit bus #2723 from 5:43pm-6:05pm on October 11, 2016.
Tokens prepared for LDA: ['names', 'security', 'guard', 'ainslie', 'grand', 'river', 'transit', 'terminal', 'audio', 'video', 'footage', 'smoke', 'ainslie', 'terminal', 'tuesday', 'october', '5:30pm-6:00pm', 'audio', 'video', 'footage', 'grand', 'river', 'transit', '5:43pm-6:05pm', 'october']
Original Request: List of contact information for all small drinking water systems in the Region of Waterloo that fall under O.Reg 318/319 such as gas stations, churches, restaurants, schools, motels and campgrounds; name and contact list of all facilities located in Waterloo Region that have a discharge/surcharge agreement with the Region in order to discharge industrial wastewater into sewer system.
Tokens prepared for LDA: ['contact', 'information', 'small', 'drink', 'water', 'region', 'waterloo', 'o.reg', '318/319', 'station', 'church', 'restaurant', 'school', 'motel', 'campground', 'contact', 'facility', 'locate', 'waterloo', 'region', 'discharge', 'surcharge', 'agreement', 'region', 'order', 'discharge', 'industrial', 'wastewater', 'sewer']
Original Request: Copy of {} rabies file including all statements, reports and records for the incident on July 14, 2016.
Tokens prepared for LDA: ['rabies', 'include', 'statement', 'report', 'record', 'incident']
Original Request: Copy of the statements obtained from anyone directly related to the incident and any other material witness statements obtained by the investigating officers; or any letters and complaints forwarded to the Region of Waterloo regarding this Grand River Transit Bus shelter; copy of any photos taken and any video surveillance; information, including but not limited to work orders, complaints and inspections regarding the rebuilding of the Grand River Transit Shelter; as well as information as to any adjacent construction or changes to Langs Drive.
Tokens prepared for LDA: ['statement', 'obtain', 'directly', 'relate', 'incident', 'material', 'witness', 'statement', 'obtain', 'investigate', 'officer', 'letter', 'complaint', 'forward', 'region', 'waterloo', 'regard', 'grand', 'river', 'transit', 'shelter', 'photo', 'video', 'surveillance', 'information', 'include', 'limit', 'order', 'complaint', 'inspection', 'regard', 'rebuild', 'grand', 'river', 'transit', 'shelter', 'information', 'adjacent', 'construction', 'change', 'langs', 'drive']
Original Request: Video surveillance of bus accident on October 14, 2016 at Ira Needles Blvd. near the Boardwalk.
Tokens prepared for LDA: ['video', 'surveillance', 'accident', 'october', 'needle', 'boardwalk']
Original Request: Records with respect to any medical incidents that occurred at 272 Clyde Rd. Unit 1, Cambridge, Ontario N1R 1L1 from December 28, 2010 to present.
Tokens prepared for LDA: ['record', 'respect', 'medical', 'incident', 'occur', 'clyde', 'cambridge', 'ontario', 'december', 'present']
Original Request: A copy of the contractor evaluation forms for T2015-107, 150 Main Street Phase 2 HVAC Upgrades.
Tokens prepared for LDA: ['contractor', 'evaluation', 't2015', 'street', 'phase', 'upgrade']
Original Request: A copy of the contractor evaluation forms for Joseph Schneider Haus - Railing project.
Tokens prepared for LDA: ['contractor', 'evaluation', 'joseph', 'schneider', 'railing', 'project']
Original Request: A copy of the contractor evaluation forms for T2015-196, Hespeler W.T.P. Prefabricated Building & Electrical Duct Banks.
Tokens prepared for LDA: ['contractor', 'evaluation', 't2015', 'hespeler', 'w.t.p.', 'prefabricate', 'building', 'electrical', 'banks']
Original Request: Copy of the statements obtained from anyone directly related to the incident and any other material witness statements obtained by the investigating officers; or any letters and complaints forwarded to the Region of Waterloo regarding this Grand River Transit Bus shelter; copy of any photos taken and any video surveillance; information, including but not limited to work orders, complaints and inspections regarding the rebuilding of the Grand River Transit Shelter; as well as information as to any adjacent construction or changes to Grand River Transit Bus Terminal.
Tokens prepared for LDA: ['statement', 'obtain', 'directly', 'relate', 'incident', 'material', 'witness', 'statement', 'obtain', 'investigate', 'officer', 'letter', 'complaint', 'forward', 'region', 'waterloo', 'regard', 'grand', 'river', 'transit', 'shelter', 'photo', 'video', 'surveillance', 'information', 'include', 'limit', 'order', 'complaint', 'inspection', 'regard', 'rebuild', 'grand', 'river', 'transit', 'shelter', 'information', 'adjacent', 'construction', 'change', 'grand', 'river', 'transit', 'terminal']
Original Request: Any records or any environmental concerns regarding 83 Elmsdale Drive, including the information contained on the HSW Environmental Site Information index.
Tokens prepared for LDA: ['record', 'environmental', 'concern', 'regard', 'elmsdale', 'drive', 'include', 'information', 'contain', 'environmental', 'information', 'index']
Original Request: 3 reports completed for the Former Kitchener Landfill on Ottawa Street South, Kitchener.
Tokens prepared for LDA: ['report', 'complete', 'kitchener', 'landfill', 'ottawa', 'street', 'south', 'kitchener']
Original Request: All records related to notices filed in connection with LRT construction-related business losses and the number of notices that have been received by the Region of Waterloo. on the same topic.
Tokens prepared for LDA: ['record', 'relate', 'notice', 'connection', 'construction', 'relate', 'business', 'notice', 'receive', 'region', 'waterloo', 'topic']
Original Request: Complete copy of Ontario Works file for {} and {}.
Tokens prepared for LDA: ['complete', 'ontario', 'works']
Original Request: Grand River Transit video surveillance for the intersection of Victoria St. North and Duke St., Kitchener on October 12, 2016 at approximately 7:10am.
Tokens prepared for LDA: ['grand', 'river', 'transit', 'video', 'surveillance', 'intersection', 'victoria', 'north', 'kitchener', 'october', 'approximately', '7:10am']
Original Request: Grand River Transit video surveillance for bus route 202 on October 31, 2016. Individual fell off scooter while a passenger on the bus.
Tokens prepared for LDA: ['grand', 'river', 'transit', 'video', 'surveillance', 'route', 'october', 'individual', 'scooter', 'passenger']
Original Request: All e-mails to and from Mario Crognale, Director of District Operations, Toronto Water and/or Ministry of Environment and Climate Change re: a spill of pollution in the Humber River. Incident was attended by Toronto Fire and investigated by Toronto Water
Tokens prepared for LDA: ['mario', 'crognale', 'director', 'district', 'operations', 'toronto', 'water', 'and/or', 'ministry', 'environment', 'climate', 'change', 'spill', 'pollution', 'humber', 'river', 'incident', 'attend', 'toronto', 'investigate', 'toronto', 'water']
Original Request: All e-mails to and from Mario Crognale, Director of District Operations, Toronto Water and/or Ministry of Environment and Climate Change re: a spill of pollution in the Humber River. Incident was attended by Toronto Fire and investigated by Toronto Water
Tokens prepared for LDA: ['mario', 'crognale', 'director', 'district', 'operations', 'toronto', 'water', 'and/or', 'ministry', 'environment', 'climate', 'change', 'spill', 'pollution', 'humber', 'river', 'incident', 'attend', 'toronto', 'investigate', 'toronto', 'water']
Original Request: A copy of building department file # 400812-1997 and #41589-1956.
Tokens prepared for LDA: ['build', 'department', '400812', '41589']
Original Request: For the period 2004-01-01 to 2014-12-18: -average monthly and/or quarterly Toronto-wide total capacity in Licensed Child Care Centres categorized by age group (infant, toddler, preschool and school-aged) etc.
Tokens prepared for LDA: ['period', '-average', 'monthly', 'and/or', 'quarterly', 'toronto', 'total', 'capacity', 'license', 'child', 'centre', 'categorize', 'group', 'infant', 'toddler', 'preschool', 'school']
Original Request: Copies of all application submitted (including all supporting documents) and copies of all responses, decisions and permits issues related to ().
Tokens prepared for LDA: ['copy', 'application', 'submit', 'include', 'support', 'document', 'response', 'decision', 'permit', 'issue', 'relate']
Original Request: Record of the evaluation results from the selection committee for RFP 0613-14-0179, Oct. 30, 2014. Including, proponent inspection reports for Choice Children's Catering, Yummy Catering Services.
Tokens prepared for LDA: ['record', 'evaluation', 'result', 'selection', 'committee', 'october', 'include', 'proponent', 'inspection', 'report', 'choice', 'child', 'catering', 'yummy', 'catering', 'services']
Original Request: All information regarding any research that was done at the Toronto Zoo, or by staff of the Toronto Zoo regarding `Black Ivory Coffee."
Tokens prepared for LDA: ['information', 'regard', 'research', 'toronto', 'staff', 'toronto', 'regard', 'black', 'ivory', 'coffee']
Original Request: A complete copy of ML&S file regarding mobile trailer located at (). Service request # 2874931. Record search Jul. 31, 2014 to current date.
Tokens prepared for LDA: ['complete', 'regard', 'mobile', 'trailer', 'locate', 'service', 'request', '2874931', 'record', 'search', 'current']
Original Request: Record of logged complaint regarding dog at large/leashing issues at () from Aug. 15, 2014 to Dec. 30, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'large', 'leash', 'issue', 'august', 'december']
Original Request: All correspondence, memos, information etc. with regards to an investigation regarding property at () folder # 14 261896 PRS00 IV, Roll # 1904062055037080000.
Tokens prepared for LDA: ['correspondence', 'information', 'regard', 'investigation', 'regard', 'property', 'folder', '261896', 'prs00', '1904062055037080000']
Original Request: Record of towing companies licensing to operate in ward # 8 (York University) as well as permits or license's for car auctions: Abram's Towing Services Ltd. / Abrams Towing Services Ltd., Abram's, Abrams, Green Team Towing / Green team Towing Ltd.
Tokens prepared for LDA: ['record', 'company', 'license', 'operate', 'university', 'permit', 'license', 'auction', 'abram', 'tow', 'services', 'abrams', 'tow', 'services', 'abram', 'abrams', 'green', 'tow', 'green', 'tow']
Original Request: A copy of Committee of Adjustment file pertaining to () file # A0692/12 TEY.
Tokens prepared for LDA: ['committee', 'adjustment', 'pertain', 'a0692/12']
Original Request: Copy of the approved drainage plan for the lots 1 to 6 Registered Plan of subdivision 66M-2164 (may appear as MB 8796) . The subdivision agreement and/or servicing agreement and/or development agreement for registered Plan of subdivision 66M-2174.
Tokens prepared for LDA: ['approve', 'drainage', 'register', 'subdivision', '66m-2164', 'appear', 'subdivision', 'agreement', 'and/or', 'service', 'agreement', 'and/or', 'development', 'agreement', 'register', 'subdivision', '66m-2174']
Original Request: All records for maintenance, repair and reconstruction of the sidewalk in front of () and stretching in both east and west directions for a distance of fifty yards. Record search from Jan. 1, 2012 to Dec. 2, 2014.
Tokens prepared for LDA: ['record', 'maintenance', 'repair', 'reconstruction', 'sidewalk', 'stretch', 'direction', 'distance', 'record', 'search', 'january', 'december']
Original Request: Record identifying the construction company which completed curb and sidewalk repairs on Russell Hill Rd., between Heath and St Clair West in the summer of 2014. Including the time and date of work performed. Record search May 1, 2014 to Sep. 30, 2014.
Tokens prepared for LDA: ['record', 'identify', 'construction', 'company', 'complete', 'sidewalk', 'repair', 'russell', 'heath', 'clair', 'summer', 'include', 'perform', 'record', 'search', 'september']
Original Request: Records of property inspections for () regarding issues of health hazard or complaints including, any outstanding or active by-law orders. Record search Jan. 15, 2012 to Jan. 15, 2015.
Tokens prepared for LDA: ['record', 'property', 'inspection', 'regard', 'issue', 'health', 'hazard', 'complaint', 'include', 'outstanding', 'active', 'order', 'record', 'search', 'january', 'january']
Original Request: Record of work orders, inspection notes etc. regarding or explaining cones being placed on the street in front of () previous to Aug. 14, 2014 when exhibit photo was taken. Record search May 12. 2014 to Nov. 12 2014.
Tokens prepared for LDA: ['record', 'order', 'inspection', 'regard', 'explain', 'place', 'street', 'previous', 'august', 'exhibit', 'photo', 'record', 'search', 'november']
Original Request: Time of complaint, location and description of complaint relating to taxi #A1130.
Tokens prepared for LDA: ['complaint', 'location', 'description', 'complaint', 'relate', 'a1130']
Original Request: All correspondence, including e-mail, between staff in the Mayor's Office and Toronto Police Service employees relating to the Jan. 5th towing and ticketing crackdown in the City's downtown core.
Tokens prepared for LDA: ['correspondence', 'include', 'staff', 'mayor', 'office', 'toronto', 'police', 'service', 'employee', 'relate', 'january', 'ticket', 'crackdown', 'downtown']
Original Request: Investigation, enforcement, compliance and licensing / permit records for ()., Toronto.
Tokens prepared for LDA: ['investigation', 'enforcement', 'compliance', 'license', 'permit', 'record', 'toronto']
Original Request: Investigation, enforcement, compliance and licensing / permit records for ()., Toronto.
Tokens prepared for LDA: ['investigation', 'enforcement', 'compliance', 'license', 'permit', 'record', 'toronto']
Original Request: Copies of all building permits and related information for () from 1955 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'relate', 'information', 'present']
Original Request: Any and all documents and other information relating to the City's licensing department revoking the Comfort Zone's restaurant and other licenses, at 480 Spadina Ave. Record search Jan. 1, 2005 to present.
Tokens prepared for LDA: ['document', 'information', 'relate', 'license', 'department', 'revoke', 'comfort', 'restaurant', 'license', 'spadina', 'record', 'search', 'january', 'present']
Original Request: All communications, including e-mails and phone notes, draft reports and meeting minutes (other than publicly-available minutes) and media speaking points sent and received by all members of the Waterfront Secretariat.
Tokens prepared for LDA: ['communication', 'include', 'phone', 'draft', 'report', 'minute', 'publicly', 'available', 'minute', 'medium', 'speak', 'point', 'receive', 'member', 'waterfront', 'secretariat']
Original Request: All records related to Mayor Tory's communications with Premier Wynne, including materials the Mayor prepared for Premier Wynne for their first meeting, notes from the meeting, and e-mails between the Mayor.
Tokens prepared for LDA: ['record', 'relate', 'mayor', 'communication', 'premier', 'wynne', 'include', 'material', 'mayor', 'prepare', 'premier', 'wynne', 'mayor']
Original Request: All records related to Mayor Tory's communications with Prime Minister Harper, including materials the Mayor prepared for Prime Minister Harper for their December meeting, notes from the meeting, and pre-meeting or post-meeting e-mails between the Mayor
Tokens prepared for LDA: ['record', 'relate', 'mayor', 'communication', 'prime', 'minister', 'harper', 'include', 'material', 'mayor', 'prepare', 'prime', 'minister', 'harper', 'december', 'mayor']
Original Request: In relation to Deputy Mayor Glenn De Baeremaeker's indicated preference in late December for a fourth stop to be added to the Scarborough subway: any communications between the Mayor or his office and Deputy Mayor De Baeremaeker or his office.
Tokens prepared for LDA: ['relation', 'deputy', 'mayor', 'glenn', 'baeremaeker', 'indicate', 'preference', 'december', 'scarborough', 'subway', 'communication', 'mayor', 'office', 'deputy', 'mayor', 'baeremaeker', 'office']
Original Request: A) All e-mails between Dr. David McKeown and other senior Toronto Public Health staff from Jan. 3, Jan. 4, Jan. 5, Jan. 6, and Jan. 7 on the subject of Extreme Cold Weather Alerts. B) All e-mails between staff in the Mayor's Office etc.
Tokens prepared for LDA: ['david', 'mckeown', 'senior', 'toronto', 'public', 'health', 'staff', 'january', 'january', 'january', 'january', 'january', 'subject', 'extreme', 'weather', 'alert', 'staff', 'mayor', 'office']
Original Request: Records of ML&S and building complaints, building permits for (), Toronto, from 1950 to present.
Tokens prepared for LDA: ['record', 'build', 'complaint', 'build', 'permit', 'toronto', 'present']
Original Request: Records of ML&S and building complaints, building permits for ()., Toronto, from 1950 to present.
Tokens prepared for LDA: ['record', 'build', 'complaint', 'build', 'permit', 'toronto', 'present']
Original Request: Records of ML&S and building complaints, building permits for (), Toronto, from 1950 to present.
Tokens prepared for LDA: ['record', 'build', 'complaint', 'build', 'permit', 'toronto', 'present']
Original Request: Record for ().: environmental and health violations; all building plans including those for additions; old and existing permits; surveys; architectural drawings; violations and sign permits. Record search from Jan. 1, 1900 to Jan. 13, 2015.
Tokens prepared for LDA: ['record', 'environmental', 'health', 'violation', 'build', 'include', 'addition', 'exist', 'permit', 'survey', 'architectural', 'drawing', 'violation', 'permit', 'record', 'search', 'january', 'january']
Original Request: Copies of inspection notes for investigation of mailbox at () including, records regarding maintenance (specifically plumbing) issues and related notes of dialogue between the City and landlord. Plumbing permits issued etc.
Tokens prepared for LDA: ['copy', 'inspection', 'investigation', 'mailbox', 'include', 'record', 'regard', 'maintenance', 'specifically', 'plumb', 'issue', 'relate', 'dialogue', 'landlord', 'plumbing', 'permit', 'issue']
Original Request: Record indicating 'building use' for property at (). Record search from 1980 to 2010.
Tokens prepared for LDA: ['record', 'indicate', 'build', 'property', 'record', 'search']
Original Request: Report from Toronto Water relating to the watermain break incident on Jan. 9, 2015 in front of (). City blocked the access to driveway and shot the water to the house and reset the water meter.
Tokens prepared for LDA: ['report', 'toronto', 'water', 'relate', 'watermain', 'break', 'incident', 'january', 'block', 'access', 'driveway', 'shoot', 'water', 'house', 'reset', 'water', 'meter']
Original Request: Copies of any and all work inspection notes and orders issued to ().
Tokens prepared for LDA: ['copy', 'inspection', 'order', 'issue']
Original Request: Copies of all building permits and related information for () from 1955 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'relate', 'information', 'present']
Original Request: A list of all businesses (names and locations) that have received and/or renewed a "Public Hall" license in the City of Toronto and GTA, reference Chapter 545, Section 545-2A(45). Record search from Jan. 1, 2010 to Jan. 1, 2015.
Tokens prepared for LDA: ['business', 'location', 'receive', 'and/or', 'renew', 'public', 'license', 'toronto', 'reference', 'chapter', 'section', '2a(45', 'record', 'search', 'january', 'january']
Original Request: Copies of work orders, notices, deliveries, building drawings and permits, inspection reports and "passed" notices (if any) and issued licenses for () from 2012 to Jan. 2015.
Tokens prepared for LDA: ['copy', 'order', 'notice', 'delivery', 'build', 'drawing', 'permit', 'inspection', 'report', 'notice', 'issue', 'license', 'january']
Original Request: Documents and records for file no. 426-805 (1999) for (). All related inspectors' notes and correspondence and application form/submission, from 1999 to present.
Tokens prepared for LDA: ['document', 'record', 'relate', 'inspector', 'correspondence', 'application', 'submission', 'present']
Original Request: Building permit application dates, types, descriptions for property located at ()., from Jan. 1, 1996 to March 2, 2004.
Tokens prepared for LDA: ['building', 'permit', 'application', 'description', 'property', 'locate', 'january', 'march']
Original Request: Building permit application dates, types, descriptions for property located at (), between Jan. 1, 2007 to Jan. 13, 2015.
Tokens prepared for LDA: ['building', 'permit', 'application', 'description', 'property', 'locate', 'january', 'january']
Original Request: Building permit application dates, types, descriptions for property located at (), between Aug. 1, 2005 and Jan. 13, 2015.
Tokens prepared for LDA: ['building', 'permit', 'application', 'description', 'property', 'locate', 'august', 'january']
Original Request: Building permit application dates, types, descriptions for property located at () between Sept. 1, 1999 and Jan. 13, 2015.
Tokens prepared for LDA: ['building', 'permit', 'application', 'description', 'property', 'locate', 'september', 'january']
Original Request: Lift date / time record copy for date specific garbage and recycling collections from Downsview Secondary School at 7 Hawksdale Rd. 2014 recycling collections on Dec. 1, 8, 15, 22 and 29, 2014. 2013 garbage collections on Dec. 3, 10, 17, 2013.
Tokens prepared for LDA: ['record', 'specific', 'garbage', 'recycle', 'collection', 'downsview', 'secondary', 'school', 'hawksdale', 'recycle', 'collection', 'december', 'garbage', 'collection', 'december']
Original Request: A copy of the summary of all EMS calls to 220 Oak St., the reason for the call, the number of paramedics responding. Whether any transport to hospital was needed and what hospital they were transported to for all days between Jan. 1, 2010 and Jan. 1, 201
Tokens prepared for LDA: ['summary', 'reason', 'paramedic', 'respond', 'transport', 'hospital', 'hospital', 'transport', 'january', 'january']
Original Request: Any and all complaints made to the City of Toronto Property Standards or Fire Services as well as violations issued regarding (), providing the name and location of the people making the complaint, from June 1, 2006 to Feb. 15, 2015.
Tokens prepared for LDA: ['complaint', 'toronto', 'property', 'standard', 'services', 'violation', 'issue', 'regard', 'provide', 'location', 'people', 'complaint', 'february']
Original Request: A complete copy of property standards investigation file for () 14 131862 PRS 00 IR. Record search from March to June 2014.
Tokens prepared for LDA: ['complete', 'property', 'standard', 'investigation', '131862', 'record', 'search', 'march']
Original Request: Record of the number of complaints/submissions to the City's fraud waste hotline program in the 2010-2014 term of council; including, any information on City divisions involved and any follow-up investigations.
Tokens prepared for LDA: ['record', 'complaint', 'submission', 'fraud', 'waste', 'hotline', 'program', 'council', 'include', 'information', 'division', 'involve', 'follow', 'investigation']
Original Request: A copy of investigation file pertaining to dog bite incident at or around () that occurred on Aug. 20, 2012, Ref: CRSIR#115089. Record search from Aug. 1, 2012 to Jan. 1, 2015.
Tokens prepared for LDA: ['investigation', 'pertain', 'incident', 'occur', 'august', 'crsir#115089', 'record', 'search', 'august', 'january']
Original Request: A complete copy of ML&S investigation file, #A 22431. Officer badge # 255. Record search from Aug. 27, 2014 to Oct. 2, 2014.
Tokens prepared for LDA: ['complete', 'investigation', '22431', 'officer', 'badge', 'record', 'search', 'august', 'october']
Original Request: Record of the name, address and telephone no. for contractor who completed installation work on damaged drain at (), and the date of the installation. Record search Feb. 1, 2003 to Aug. 31, 2003.
Tokens prepared for LDA: ['record', 'address', 'telephone', 'contractor', 'complete', 'installation', 'damage', 'drain', 'installation', 'record', 'search', 'february', 'august']
Original Request: Copies of various budgetary, AIR reports, financial (cheque payments) etc. for Jarvis George Housing Co-op including, board of directors communication and by-law related records.
Tokens prepared for LDA: ['copy', 'various', 'budgetary', 'report', 'financial', 'cheque', 'payment', 'jarvis', 'george', 'housing', 'include', 'board', 'director', 'communication', 'relate', 'record']
Original Request: Subsequent to motor vehicle accident in which Beck Taxi driver No. 1946 on Nov. 20, 2014 whilst transporting passenger (), the following are requested: the identity of the driver and owners of the vehicle etc.
Tokens prepared for LDA: ['subsequent', 'motor', 'vehicle', 'accident', 'driver', 'november', 'whilst', 'transport', 'passenger', 'follow', 'request', 'identity', 'driver', 'owner', 'vehicle']
Original Request: Copies of any complaint records pertaining to the maintenance of sidewalk located at the northeast corner of Sheppard Ave. and Birchmount Rd. for the period Jan. 12, 2014 to May 12, 2014.
Tokens prepared for LDA: ['copy', 'complaint', 'record', 'pertain', 'maintenance', 'sidewalk', 'locate', 'northeast', 'corner', 'sheppard', 'birchmount', 'period', 'january']
Original Request: A copy of document showing single family dwelling located at () has been changed to a converted house on May 2, 2000.
Tokens prepared for LDA: ['document', 'single', 'family', 'dwell', 'locate', 'change', 'convert', 'house']
Original Request: A copy of fire route designation for driveway in front of () including, the date it was approved as a fire route.
Tokens prepared for LDA: ['route', 'designation', 'driveway', 'include', 'approve', 'route']
Original Request: All memoranda; e-mails; copies of transcripts of exchanges between solicitors and officers of Villa Charities; Columbus Centre, and COT solicitors and managers representing Children's Services and Day Care Facilities etc.
Tokens prepared for LDA: ['memorandum', 'transcript', 'exchange', 'solicitor', 'officer', 'villa', 'charity', 'columbus', 'centre', 'solicitor', 'manager', 'represent', 'child', 'services', 'facility']
Original Request: Copies of Committee of Adjustment files, all permit applications, copies of notices sent and received to owners for () from Jan. 2010 to present.
Tokens prepared for LDA: ['copy', 'committee', 'adjustment', 'permit', 'application', 'notice', 'receive', 'owner', 'january', 'present']
Original Request: Record of any 'permitted use' approval letters for the sale or use of a propane exchange program for ().
Tokens prepared for LDA: ['record', 'permit', 'approval', 'letter', 'propane', 'exchange', 'program']
Original Request: A copy of the tape from the Elmbank Community Centre at 10 Rampart Road, Toronto, ON M9V 4L9 on December 20, 2014 at 6:00PM to 8:45PM. Including, the tape for the main hall in the community Centre as well as the main lobby.
Tokens prepared for LDA: ['elmbank', 'community', 'centre', 'rampart', 'toronto', 'december', '6:00pm', '8:45pm', 'include', 'community', 'centre', 'lobby']
Original Request: Copy of inspection report for () regarding drain/sewage backup problem. Initial visit was on January 17th, investigation date around 10am on January 20th. Record search from Jan. 17-20, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'drain', 'sewage', 'backup', 'problem', 'initial', 'visit', 'january', 'investigation', 'january', 'record', 'search', 'january']
Original Request: A copy of inspection report for () between Jan. 13-14, 2015. Inspector Steve Patterson.
Tokens prepared for LDA: ['inspection', 'report', 'january', 'inspector', 'steve', 'patterson']
Original Request: A copy of water designate form from Revenue Services under reference # 1286558.
Tokens prepared for LDA: ['water', 'designate', 'revenue', 'services', 'reference', '1286558']
Original Request: All records of visits by by-law inspectors to () between 2008 and 2012. Also request the number of phone calls and 3-mails generated by complaints to ().
Tokens prepared for LDA: ['record', 'visit', 'inspector', 'request', 'phone', '3-mails', 'generate', 'complaint']
Original Request: 311 calls voice recording, if available, originating phone number, content of calls to water shut off, time and date, from Dec. 10, 2014 to Dec. 12, 2014. Three tickets were opened; two on Dec. 10 and one on Dec. 12, 2014.
Tokens prepared for LDA: ['voice', 'record', 'available', 'originate', 'phone', 'content', 'water', 'december', 'december', 'ticket', 'december', 'december']
Original Request: A copy of all building records for () including, all committee of adjustments and variance applied and the permitted use of the building and current zoning. Record search from 1958 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'committee', 'adjustment', 'variance', 'apply', 'permit', 'build', 'current', 'record', 'search', 'present']
Original Request: A copy of all building records for () including, all committee of adjustments and variance applied and the permitted use of the building and current zoning. Record search from 1958 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'committee', 'adjustment', 'variance', 'apply', 'permit', 'build', 'current', 'record', 'search', 'present']
Original Request: Copy of documents related to permit 86-018599 for () issued Jun. 2, 1986; confirming the used or proposed use as a semi detached 2 family dwelling. Record search from Jun. 2, 1986 to Apr. 12, 1988.
Tokens prepared for LDA: ['document', 'relate', 'permit', '018599', 'issue', 'confirm', 'propose', 'detach', 'family', 'dwell', 'record', 'search', 'april']
Original Request: A copy of approved permit for () in relation to permit application 14 207822 BLD 00 SR submitted on Sep. 18, 2014.
Tokens prepared for LDA: ['approve', 'permit', 'relation', 'permit', 'application', '207822', 'submit', 'september']
Original Request: A copy of council decision issued in 1995 in relation to lawsuit brought against the City (St. Lawrence North Market) by () of Harbour Front Antique Market.
Tokens prepared for LDA: ['council', 'decision', 'issue', 'relation', 'lawsuit', 'bring', 'lawrence', 'north', 'market', 'harbour', 'antique', 'market']
Original Request: A copy of council decision issued in 1995 in relation to lawsuit brought against the City (St. Lawrence North Market) by () of Harbour Front Antique Market.
Tokens prepared for LDA: ['council', 'decision', 'issue', 'relation', 'lawsuit', 'bring', 'lawrence', 'north', 'market', 'harbour', 'antique', 'market']
Original Request: A copy of council decision issued in 1995 in relation to lawsuit brought against the City (St. Lawrence North Market) by () of Harbour Front Antique Market.
Tokens prepared for LDA: ['council', 'decision', 'issue', 'relation', 'lawsuit', 'bring', 'lawrence', 'north', 'market', 'harbour', 'antique', 'market']
Original Request: Contracts awarded for City of Toronto and its agencies, boards & corporations for website accessibility software products and services such as Browsealoud.
Tokens prepared for LDA: ['contract', 'award', 'toronto', 'agency', 'board', 'corporation', 'website', 'accessibility', 'software', 'product', 'service', 'browsealoud']
Original Request: A copy of file: Fonds 16, Series 1593, File 1474 Title: City of Toronto vs. Imperial Oil meeting Dates of Creation: 2006 Box: 589120 Folio: 11
Tokens prepared for LDA: ['fonds', 'series', 'title', 'toronto', 'imperial', 'date', 'creation', '589120', 'folio']
Original Request: Copies of all renovation permits issued for () from 2005 to 2007.
Tokens prepared for LDA: ['copy', 'renovation', 'permit', 'issue']
Original Request: Copies of Councillor Mark Grimes' travel expenses relating to the Pan Am Games and Exhibition Place Board of Governors from 2013 to present.
Tokens prepared for LDA: ['copy', 'councillor', 'grime', 'travel', 'expense', 'relate', 'game', 'exhibition', 'place', 'board', 'governor', 'present']
Original Request: Copy of all inspection related documents for () under permit 14 117 060 issued Feb. 24, 2014. Final inspection date Nov. 13, 2014. Record search Jan. 2014 to Dec. 2014.
Tokens prepared for LDA: ['inspection', 'relate', 'document', 'permit', 'issue', 'february', 'final', 'inspection', 'november', 'record', 'search', 'january', 'december']
Original Request: All ML&S records and complaints from () about 60 () including document showing reasons, date and time for by-law officers visits from Aug. 12, 2014 to present.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'document', 'reason', 'officer', 'visit', 'august', 'present']
Original Request: A complete copy of dog bite file pertaining to victim () of () who was bitten on Oct. 23, 2014.
Tokens prepared for LDA: ['complete', 'pertain', 'victim', 'october']
Original Request: Records of complaints with regards to water drainage or run-off onto () from () prior to 2001 including any complaints made by the previous owners or residents of ().
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'water', 'drainage', 'prior', 'include', 'complaint', 'previous', 'owner', 'resident']
Original Request: Record of the following violation notices against (): Sep 4, 2014 Order Issued 14 216536 PRS 00 IV Sep 4.2014 Notice Issued 14216546 ZON 00 IV Aug 18, 2014 Notice Issued 14 208506 FEN 00 IV Jul 22, 2014 Notice Issued 14216529 ZON 00
Tokens prepared for LDA: ['record', 'follow', 'violation', 'notice', 'order', 'issue', '216536', '4.2014', 'notice', 'issue', '14216546', 'notice', 'issue', '208506', 'notice', 'issue', '14216529']
Original Request: A copy of the building inspector reports for building permit 13 223342 BLD 00, ().
Tokens prepared for LDA: ['build', 'inspector', 'report', 'build', 'permit', '223342']
Original Request: Any examiners and inspectors notes or application drawings related to the construction of the retaining wall at the north east corner of the property at () from Jan. 1, 1970 to Jan. 26, 2015.
Tokens prepared for LDA: ['examiner', 'inspector', 'application', 'drawing', 'relate', 'construction', 'retain', 'north', 'corner', 'property', 'january', 'january']
Original Request: Complete copies of building files for (): # 290448 (1989); 307924 (1990) & 332165 (1992).
Tokens prepared for LDA: ['complete', 'build', '290448', '307924', '332165']
Original Request: Record of the year of build for property located at ().
Tokens prepared for LDA: ['record', 'build', 'property', 'locate']
Original Request: Copies of building permit and any available documents for () from Jan. 1, 1995 to Dec. 31, 2010.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'available', 'document', 'january', 'december']
Original Request: A copy of the final closing report from Fire Marshall concerning inspection of () on Jan. 20. 2015. Record search Oct. 30, 2014 to Jan. 20, 2015.
Tokens prepared for LDA: ['final', 'close', 'report', 'marshall', 'concern', 'inspection', 'january', 'record', 'search', 'october', 'january']
Original Request: Building permits and any available documents for () from Jan. 1, 1995 to Dec. 31, 2010.
Tokens prepared for LDA: ['building', 'permit', 'available', 'document', 'january', 'december']
Original Request: All documents relating to Public Health file # 117413 for () including, any orders, inspection reports, referrals to any other governmental agency, photos and follow up reports; in relation to asbestos investigation.
Tokens prepared for LDA: ['document', 'relate', 'public', 'health', '117413', 'include', 'order', 'inspection', 'report', 'referral', 'governmental', 'agency', 'photo', 'follow', 'report', 'relation', 'asbestos', 'investigation']
Original Request: A complete copy of building file and evidence in regards to order to comply # 14 259563 WNP 00 VI dated Dec. 3, 2014 for 90 Ontario St.
Tokens prepared for LDA: ['complete', 'build', 'evidence', 'regard', 'order', 'comply', '259563', 'december', 'ontario']
Original Request: A copy of all notes for fire inspection performed at () between June 2014 to present.
Tokens prepared for LDA: ['inspection', 'perform', 'present']
Original Request: Copies of any complaints made by members of the public, shelter staff or shelter residents regarding any and all funded or supervised shelters by the City. Record search from Jan. 1, 2012 to present.
Tokens prepared for LDA: ['copy', 'complaint', 'member', 'public', 'shelter', 'staff', 'shelter', 'resident', 'regard', 'supervise', 'shelter', 'record', 'search', 'january', 'present']
Original Request: A copy of contract # 47018042 awarded to Shoreridge Contracting on January 23, 2014.
Tokens prepared for LDA: ['contract', '47018042', 'award', 'shoreridge', 'contracting', 'january']
Original Request: All Permit records relating to Mechanical (HVAC) Permit-Stand-alone for installing 2 new Furnace systems () with relevant approval/permit for installing of duct works which supply forced-air heating to different dwelling units etc.
Tokens prepared for LDA: ['permit', 'record', 'relate', 'mechanical', 'permit', 'stand', 'install', 'furnace', 'relevant', 'approval', 'permit', 'install', 'supply', 'force', 'different', 'dwell']
Original Request: Records on what work had done by Toronto Water outside () from 2014 to 2015, that had caused plumbing problems on the property. Also, a copy of service requestreport for the winter in 2010 and early 2011 when city pipes froze at that spot
Tokens prepared for LDA: ['record', 'toronto', 'water', 'outside', 'cause', 'plumb', 'problem', 'property', 'service', 'requestreport', 'winter', 'early', 'freeze']
Original Request: Any records from Virma Benjamin, Public Health Inspector regarding (). Notes regarding conversations she had with the property manager and the management office. The issue was on improper use of floor varnish.
Tokens prepared for LDA: ['record', 'virma', 'benjamin', 'public', 'health', 'inspector', 'regard', 'note', 'regard', 'conversation', 'property', 'manager', 'management', 'office', 'issue', 'improper', 'floor', 'varnish']
Original Request: A copy of permit application for the removal of fire alarm at (). Record search from 2010 to 2014.
Tokens prepared for LDA: ['permit', 'application', 'removal', 'alarm', 'record', 'search']
Original Request: Copies of letters sent by the City to residents of Colbeck Street advising of their breach of By-law 743-41(A) from 2009 to 2014 etc.
Tokens prepared for LDA: ['copy', 'letter', 'resident', 'colbeck', 'street', 'advise', 'breach']
Original Request: A copy of fire inspector's report following fire on Dec. 18. 2014 at (). A copy of violation notice issued and any other relevant documentation on file. Record search Dec. 18, 2014 to Jan. 26, 2015.
Tokens prepared for LDA: ['inspector', 'report', 'follow', 'december', 'violation', 'notice', 'issue', 'relevant', 'documentation', 'record', 'search', 'december', 'january']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: In reference to service request document #5067953 released under FOI# 2014-00495: a copy of the schedule in place for Colbeck St. for the cleaning of leaves from the roadway or sidewalk abutting Colbeck St. from Sept. 1, 2012 to Dec. 31, 2012.
Tokens prepared for LDA: ['reference', 'service', 'request', 'document', '5067953', 'release', '00495', 'schedule', 'place', 'colbeck', 'clean', 'leave', 'roadway', 'sidewalk', 'colbeck', 'september', 'december']
Original Request: In reference to service request document #5135743 released under FOI# 2014-00495: a copy call record/log; for resident call made which referenced in the disclosed documents.
Tokens prepared for LDA: ['reference', 'service', 'request', 'document', '5135743', 'release', '00495', 'record', 'resident', 'reference', 'disclose', 'document']
Original Request: Copies of snow removal, salt application or other de-icing records, including copies of all work orders for: the sidewalks and streets located near Pleasant Ave. and Moore Park Ave, near Pleasant Public School. Record search from Mar. 12-30, 2014.
Tokens prepared for LDA: ['copy', 'removal', 'application', 'record', 'include', 'order', 'sidewalk', 'street', 'locate', 'pleasant', 'moore', 'pleasant', 'public', 'school', 'record', 'search', 'march']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Records on any on-street parking permits that had been issued for (). Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: A copy of inspection reports and orders issued to (). Record search May 1, 2013 to Sep. 30, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'issue', 'record', 'search', 'september']
Original Request: A list of businesses charged in Toronto for operating as public halls without having the necessary licensing to do so. Record search from Jan. 1, 2005 to Jan. 30, 2015.
Tokens prepared for LDA: ['business', 'charge', 'toronto', 'operate', 'public', 'necessary', 'license', 'record', 'search', 'january', 'january']
Original Request: Record of any sub-lease, ownership, partnership or user agreements between () and Atlantic and Pacific Teas (1999-2000), most currently known as Metro Fresh Inc. (Jul. 1997- Dec. 2006).
Tokens prepared for LDA: ['record', 'lease', 'ownership', 'partnership', 'agreement', 'atlantic', 'pacific', 'currently', 'metro', 'fresh', '1997-', 'december']
Original Request: A copy of TPH investigation report for () from Jan. 26, 2015 to Feb.1, 2015. Filed by ()
Tokens prepared for LDA: ['investigation', 'report', 'january', 'feb.1', 'file']
Original Request: A complete copy MLS file regarding the removal of 3 dogs from () on Jan. 5, 2015 under the order of MTCC.
Tokens prepared for LDA: ['complete', 'regard', 'removal', 'january', 'order']
Original Request: Copies of all documents pertaining to building application 14 262672 BLD 00 BA for ()., from Dec. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'document', 'pertain', 'build', 'application', '262672', 'december', 'present']
Original Request: Any and all documents for () pertaining to the premises and sprinkler system, including but not limited to any and all related drawings as well as permit application, approval and building inspection documents.
Tokens prepared for LDA: ['document', 'pertain', 'premise', 'sprinkler', 'include', 'limit', 'relate', 'drawing', 'permit', 'application', 'approval', 'build', 'inspection', 'document']
Original Request: All by-law call logs, notices, work orders issued to () from Nov. 15, 2014 to Jan. 20, 2015. Also including, a copy of fire inspection report and any notices issued to the above address by Toronto Fire from Nov. 16, 2014 to Jan. 19, 2015.
Tokens prepared for LDA: ['notice', 'order', 'issue', 'november', 'january', 'include', 'inspection', 'report', 'notice', 'issue', 'address', 'toronto', 'november', 'january']
Original Request: Complete reports and photos from inspections, investigations done by Fire Services, Toronto Building and ML&S for () from Aug. 1, 2014 to Feb. 3, 2015.
Tokens prepared for LDA: ['complete', 'report', 'photo', 'inspection', 'investigation', 'services', 'toronto', 'building', 'august', 'february']
Original Request: Complete reports and photos from inspections, investigations done by Building, Fire Services, and ML&S for () from Aug. 1, 2014 to Feb. 3, 2015.
Tokens prepared for LDA: ['complete', 'report', 'photo', 'inspection', 'investigation', 'building', 'services', 'august', 'february']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: Camera footage and light maintenance and sequencing information for the intersections of Bellamy Rd. North/ Lawrence Ave. East, Scarborough following a motor vehicle accident at this location.
Tokens prepared for LDA: ['camera', 'footage', 'light', 'maintenance', 'sequence', 'information', 'intersection', 'bellamy', 'north/', 'lawrence', 'scarborough', 'follow', 'motor', 'vehicle', 'accident', 'location']
Original Request: A complete copy of PF&R file pertaining to City owned tree at () from 2011-2014, including date of tree cutting and documentation of measures taken by the city to address complaint regarding said tree.
Tokens prepared for LDA: ['complete', 'pertain', 'include', 'documentation', 'measure', 'address', 'complaint', 'regard']
Original Request: Copies of all correspondence (of any form, including written and e-mail) between the City (including but not limited to the department of Municipal Licensing and Standards), and Uber, Hailo, Lyft, Sidecar, iTaxiworkers Association, etc.
Tokens prepared for LDA: ['copy', 'correspondence', 'include', 'write', 'include', 'limit', 'department', 'municipal', 'license', 'standard', 'hailo', 'sidecar', 'itaxiworkers', 'association']
Original Request: Any information and documents regarding permit application submitted in Nov. 2001 for () including, committee of adjustments and inspector's notes. Record search Jan. 1, 2001 to Dec. 31, 2004.
Tokens prepared for LDA: ['information', 'document', 'regard', 'permit', 'application', 'submit', 'november', 'include', 'committee', 'adjustment', 'inspector', 'record', 'search', 'january', 'december']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: All research which was done leading to the chosen location of Kennedy and McNicoll as the proposed TTC Bus Garage and what other sites were considered and reasons they were passed over and or overlooked.
Tokens prepared for LDA: ['research', 'choose', 'location', 'kennedy', 'mcnicoll', 'propose', 'garage', 'consider', 'reason', 'overlook']
Original Request: Record of full details and inspectors notes with respect to building permits and orders to comply for (). Permit #: 01 119703 CMB 00 SR; 01 133898 HVA 00 MS; 99 016240 BLD 00 RP; order to comply 10 220638 OTC 00 V1 etc.
Tokens prepared for LDA: ['record', 'inspector', 'respect', 'build', 'permit', 'order', 'comply', 'permit', '119703', '133898', '016240', 'order', 'comply', '220638']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: A copy of demolition permit issued for unsafe condition on property at () by inspector Orville Grant on or about Jan. 11, 2008.
Tokens prepared for LDA: ['demolition', 'permit', 'issue', 'unsafe', 'condition', 'property', 'inspector', 'orville', 'grant', 'january']
Original Request: Record of any documentation of 27 cats being seized from () possibly in 2011. Record search from Jan. 1, 2008 to Jan. 1, 2013.
Tokens prepared for LDA: ['record', 'documentation', 'seize', 'possibly', 'record', 'search', 'january', 'january']
Original Request: A copy of order to comply issued to () in Jan 2015. Record search Jan. 15, 2015 to Jan. 31, 2015.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'record', 'search', 'january', 'january']
Original Request: A copy of mold inspection report for () case # 12 5551.
Tokens prepared for LDA: ['inspection', 'report']
Original Request: ML&S file for investigation activity for (). File # 14 233396 ZON 00 IR dated Oct. 6, 2014 and # 13 191003 ZON 00 IR dated June 19, 2013, and one unknown 2006 file. Also to check if there is any building permit issued at this location
Tokens prepared for LDA: ['investigation', 'activity', '233396', 'october', '191003', 'unknown', 'check', 'build', 'permit', 'issue', 'location']
Original Request: Regarding damage to Bell Canada property claim, please provide any permit request, information for () rear part between Feb. 1, 2013 and Feb. 8, 2014.
Tokens prepared for LDA: ['regard', 'damage', 'canada', 'property', 'claim', 'provide', 'permit', 'request', 'information', 'february', 'february']
Original Request: Copies of all correspondence and memoranda addressed to the City Manager which makes mention of: 'HSC' or 'Housing Services Corporation'. Record search from Jun. 15, 2014 to present.
Tokens prepared for LDA: ['copy', 'correspondence', 'memorandum', 'address', 'manager', 'mention', 'housing', 'services', 'corporation', 'record', 'search', 'present']
Original Request: A complete copy of building file for () including inspector's notes, permits and related correspondence. Record search from 1984 to 1997.
Tokens prepared for LDA: ['complete', 'build', 'include', 'inspector', 'permit', 'relate', 'correspondence', 'record', 'search']
Original Request: All documents relating directly or indirectly to any and all complaints regarding () from Jan. 1, 2013 to Feb. 9, 2015.
Tokens prepared for LDA: ['document', 'relate', 'directly', 'indirectly', 'complaint', 'regard', 'january', 'february']
Original Request: All documents relating directly or indirectly to complaints made by () of () in May 2014 to ML&S. Officers involved were Rob McIntosh and James Wagner. Record search May 1, 2014 to May, 31, 2014.
Tokens prepared for LDA: ['document', 'relate', 'directly', 'indirectly', 'complaint', 'ml&s.', 'officer', 'involve', 'mcintosh', 'james', 'wagner', 'record', 'search']
Original Request: Any and all communication issued by and in the possession of the by-law office with respect to the investigation of property located at ().
Tokens prepared for LDA: ['communication', 'issue', 'possession', 'office', 'respect', 'investigation', 'property', 'locate']
Original Request: Any and all records of health or building violations for (), including hazards, failure to comply, complaints and building permits.
Tokens prepared for LDA: ['record', 'health', 'build', 'violation', 'include', 'hazard', 'failure', 'comply', 'complaint', 'build', 'permit']
Original Request: Copies of all records/files pertaining to complaints regarding () entire building). Including notices of violations, orders issued, inspection notes, photos and correspondence between COT, Manulife Insurance Co., Otis Elevator Co. etc.
Tokens prepared for LDA: ['copy', 'record', 'pertain', 'complaint', 'regard', 'entire', 'build', 'include', 'notice', 'violation', 'order', 'issue', 'inspection', 'photo', 'correspondence', 'manulife', 'insurance', 'elevator']
Original Request: Any and all building permits issued for () including any letters, inspector's notes/records; concerning order to remedy issued Feb. 10, 2014 to its' owners () or (). Record search Mar. 2007 to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'include', 'letter', 'inspector', 'record', 'concern', 'order', 'remedy', 'issue', 'february', 'owner', 'record', 'search', 'march', 'present']
Original Request: All available records in relation to the cutting of the power line and subsequent power outage on Jun. 6, 2013 in the vicinity of (). Outage possibly related to construction activities of FER-PAL Construction Ltd.
Tokens prepared for LDA: ['available', 'record', 'relation', 'power', 'subsequent', 'power', 'outage', 'vicinity', 'outage', 'possibly', 'relate', 'construction', 'activity', 'construction']
Original Request: Copies of notice of violation and order to comply issued to () investigation #14 135322 PRS 00 1V. Record search Mar. 23, 2014 to Apr. 30, 2014.
Tokens prepared for LDA: ['copy', 'notice', 'violation', 'order', 'comply', 'issue', 'investigation', '135322', 'record', 'search', 'march', 'april']
Original Request: Copies of all building permits issued to ().
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue']
Original Request: All notes, documents and orders resulting from inspection of apartment (). Record search from Sep. 2014 to present.
Tokens prepared for LDA: ['document', 'order', 'result', 'inspection', 'apartment', 'record', 'search', 'september', 'present']
Original Request: A copy of public health report following inspection at () on Aug. 27, 2014.
Tokens prepared for LDA: ['public', 'health', 'report', 'follow', 'inspection', 'august']
Original Request: Copies of all permits issued to () detailing the name of the applicants and their respective companies and document indication the build date for the property. Record search from 2005 to present.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'applicant', 'respective', 'company', 'document', 'indication', 'build', 'property', 'record', 'search', 'present']
Original Request: The name and contact information of the builder, designer and/or permit applicant for property at () built in 2004.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'designer', 'and/or', 'permit', 'applicant', 'property', 'build']
Original Request: A complete copy of public health inspection file # 123662. Record search Nov. 20, 2014 to Feb. 8, 2015.
Tokens prepared for LDA: ['complete', 'public', 'health', 'inspection', '123662', 'record', 'search', 'november', 'february']
Original Request: A copy of the 1993 encroachment agreement for ().
Tokens prepared for LDA: ['encroachment', 'agreement']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: A copy of building permit and committee of adjustments documents for () including zoning and occupancy certificates. Record search 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'document', 'include', 'occupancy', 'certificate', 'record', 'search', 'present']
Original Request: All records of building inspection and restoration reports for ().
Tokens prepared for LDA: ['record', 'build', 'inspection', 'restoration', 'report']
Original Request: An electronic copy of all meeting minutes taken by the Infections Control Committee as a result of an outbreak at Sunnybrook Hospital's Veterans and Community Centre located at 2075 Bayview Ave.
Tokens prepared for LDA: ['electronic', 'minute', 'infection', 'control', 'committee', 'result', 'outbreak', 'sunnybrook', 'hospital', 'veteran', 'community', 'centre', 'locate', 'bayview']
Original Request: An electronic copy of all meeting minutes taken by the Infections Control Committee as a result of an outbreak at West Park Community Centre located at 82 Buttonwood Ave.
Tokens prepared for LDA: ['electronic', 'minute', 'infection', 'control', 'committee', 'result', 'outbreak', 'community', 'centre', 'locate', 'buttonwood']
Original Request: An electronic copy of all routine and complaint-generated food safety inspection reports for Baycrest Apotex and its long-term care home located at, 3560 Bathurst St. Record search January 1, 2014 to present.
Tokens prepared for LDA: ['electronic', 'routine', 'complaint', 'generate', 'safety', 'inspection', 'report', 'baycrest', 'apotex', 'locate', 'bathurst', 'record', 'search', 'january', 'present']
Original Request: An electronic copy of all routine and complaint-generated food safety inspection reports for Leisure World Caregiving Centre, including its long-term care home located at, 130 Midland Ave. Record search January 1, 2014 to present.
Tokens prepared for LDA: ['electronic', 'routine', 'complaint', 'generate', 'safety', 'inspection', 'report', 'leisure', 'world', 'caregiving', 'centre', 'include', 'locate', 'midland', 'record', 'search', 'january', 'present']
Original Request: An electronic copy of all meeting minutes taken by the Infections Control Committee as a result of an outbreak at House of Providence located at 3276 Saint Clair Ave. E.
Tokens prepared for LDA: ['electronic', 'minute', 'infection', 'control', 'committee', 'result', 'outbreak', 'house', 'providence', 'locate', 'saint', 'clair']
Original Request: An electronic copy of all meeting minutes taken by the Infections Control Committee as a result of an outbreak at Leisure World Caregiving Centre, including its long-term care home located at 2005 Lawrence Ave. W.
Tokens prepared for LDA: ['electronic', 'minute', 'infection', 'control', 'committee', 'result', 'outbreak', 'leisure', 'world', 'caregiving', 'centre', 'include', 'locate', 'lawrence']
Original Request: Copies of still images or security camera footage from () (west side cameras) capturing a white male as depicted in exhibit A; 6ft. 2', 200 lbs, wearing a black leather jacket, black gym pants, with a ponytail walking briskly.
Tokens prepared for LDA: ['copy', 'image', 'security', 'camera', 'footage', 'camera', 'capture', 'white', 'depict', 'exhibit', 'black', 'leather', 'jacket', 'black', 'ponytail', 'briskly']
Original Request: Document indicating the date (s) and reason water draining work was performed by Toronto Water at () between Sep. to Nov. 2014.
Tokens prepared for LDA: ['document', 'indicate', 'reason', 'water', 'drain', 'perform', 'toronto', 'water', 'september', 'november']
Original Request: Record identifying which address/location/entity has between 1 January 2012 and 31 December 2014, been issued a public garage license by the City of Toronto pursuant to the City of Toronto Municipal Code.
Tokens prepared for LDA: ['record', 'identify', 'address', 'location', 'entity', 'january', 'december', 'issue', 'public', 'garage', 'license', 'toronto', 'pursuant', 'toronto', 'municipal']
Original Request: All inspection reports related to construction of () permit # 13 228381 HVA 00 MS. Record search Sep. 1, 2013 to Apr. 30, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'construction', 'permit', '228381', 'record', 'search', 'september', 'april']
Original Request: Complete copies of ML&S and Public Health file for () from Aug. 1, 2014 to Feb. 6, 2015 and Jan. 1, 2015 to Feb. 6, 2015 respectively.
Tokens prepared for LDA: ['complete', 'public', 'health', 'august', 'february', 'january', 'february', 'respectively']
Original Request: Any and all fire and public health inspection reports for () including 911 reports from Jan. 1, 2000 to Feb. 13, 2015. Health Inspector, Anthony Stewart.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'include', 'report', 'january', 'february', 'health', 'inspector', 'anthony', 'stewart']
Original Request: A list of each 'public numbered address that voted'; a list of the 'number or residents per address' that voted, both regarding City polling - TE3.23, in 2014. Do not include names, phone numbers or yes/no lists.
Tokens prepared for LDA: ['public', 'number', 'address', 'resident', 'address', 'regard', 'te3.23', 'include', 'phone', 'number']
Original Request: Receipts of building permit issued for () from Sep. 2007 to Jun. 2008.
Tokens prepared for LDA: ['receipts', 'build', 'permit', 'issue', 'september']
Original Request: Records of complaints and information against property at () including by-law infractions from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['record', 'complaint', 'information', 'property', 'include', 'infraction', 'january', 'present']
Original Request: Investigation reports, complaints, cautionary notices/warnings issued to () or any resident of () regarding dogs living at that address. Record search from 2002 to present.
Tokens prepared for LDA: ['investigation', 'report', 'complaint', 'cautionary', 'notice', 'warning', 'issue', 'resident', 'regard', 'address', 'record', 'search', 'present']
Original Request: A complete copy of fire investigative pertaining to () from Jan. 2014 to present. Inspectors, F. Paniccia (North Command) and Captain Leung.
Tokens prepared for LDA: ['complete', 'investigative', 'pertain', 'january', 'present', 'inspector', 'paniccia', 'north', 'command', 'captain', 'leung']
Original Request: Record of any and all by-law calls or complaints initiated or actioned at () from Jan. 1, 1995 to Feb. 19, 2015, including notes from visits on Feb. 18, 2015 to the above address.
Tokens prepared for LDA: ['record', 'complaint', 'initiate', 'action', 'january', 'february', 'include', 'visit', 'february', 'address']
Original Request: Copies of the vendor scoring sheets for RFP 3405-14-3057 (Time Attendance Scheduling System and SAP HCM Modernizations and CATS Implementation Project, released Jun. 23, 2014) along with the scoring sheets for all bids received.
Tokens prepared for LDA: ['copy', 'vendor', 'score', 'sheet', 'attendance', 'scheduling', 'modernization', 'implementation', 'project', 'release', 'score', 'sheet', 'receive']
Original Request: A copy of inspection report and notes for water leak investigation (ref. # 3144218) from Jan. 19, 2015 to Jan. 31, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'water', 'investigation', '3144218', 'january', 'january']
Original Request: Copies of records regarding water main break on Jun. 30, 2014 at () including the general vicinity of this address: 1. Scheduled, completed or recommended water main maintenance including; replacement, flushing etc.
Tokens prepared for LDA: ['copy', 'record', 'regard', 'water', 'break', 'include', 'general', 'vicinity', 'address', 'schedule', 'complete', 'recommend', 'water', 'maintenance', 'include', 'replacement', 'flush']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard']
Original Request: All building inspection reports for () and/or property standards reports i.e. building inspectors etc. from 1983 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'and/or', 'property', 'standard', 'report', 'build', 'inspector', 'present']
Original Request: All building records and drawings pertaining to ().
Tokens prepared for LDA: ['build', 'record', 'drawing', 'pertain']
Original Request: A copy of Purchasing disqualification letter to CBS Outdoor Canada dated Apr. 28, 2009.
Tokens prepared for LDA: ['purchasing', 'disqualification', 'letter', 'outdoor', 'canada', 'april']
Original Request: All historical records from Building and City Planning for ().
Tokens prepared for LDA: ['historical', 'record', 'building', 'planning']
Original Request: Survey of property, any permits issued, last plans available and any other details of property such as size of house, legal status for().
Tokens prepared for LDA: ['survey', 'property', 'permit', 'issue', 'available', 'property', 'house', 'legal', 'status']
Original Request: Property standard inspection reports, by-law inspection reports, fire inspection reports, complaint records for () from Feb. 1, 2010 to Feb. 17, 2015.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'inspection', 'report', 'inspection', 'report', 'complaint', 'record', 'february', 'february']
Original Request: Property standard inspection reports, by-law inspection reports, fire inspection reports, complaint records for () from Feb. 1, 2010 to Feb. 17, 2015.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'inspection', 'report', 'inspection', 'report', 'complaint', 'record', 'february', 'february']
Original Request: Property standard inspection reports, by-law inspection reports, fire inspection reports, complaint records for () from Feb. 1, 2010 to Feb. 17, 2015.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'inspection', 'report', 'inspection', 'report', 'complaint', 'record', 'february', 'february']
Original Request: Property standard inspection reports, by-law inspection reports, fire inspection reports, complaint records for () from Feb. 1, 2010 to Feb. 17, 2015.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'inspection', 'report', 'inspection', 'report', 'complaint', 'record', 'february', 'february']
Original Request: All City records on building file for () from Feb. 1, 2012 to Feb. 19, 2015
Tokens prepared for LDA: ['record', 'build', 'february', 'february']
Original Request: All death records, including but not limited to necropsy reports for animals that have died at Toronto Zoo since January 2000.
Tokens prepared for LDA: ['death', 'record', 'include', 'limit', 'necropsy', 'report', 'animal', 'toronto', 'january']
Original Request: Following recent indication in a letter by a councillor in the City of Edmonton that the Edmonton Valley Zoo has consulted with the Toronto Zoo regarding an elephant named Lucy (aka. Skanik).
Tokens prepared for LDA: ['following', 'recent', 'indication', 'letter', 'councillor', 'edmonton', 'edmonton', 'valley', 'consult', 'toronto', 'regard', 'elephant', 'skanik']
Original Request: Building permits, notes regarding inspections of property, all estimated costs, all information on all building permits for ()., from Jan. 1, 2009 to present.
Tokens prepared for LDA: ['building', 'permit', 'regard', 'inspection', 'property', 'estimate', 'information', 'build', 'permit', 'january', 'present']
Original Request: All notes, inspection reports for () change orders, compliance orders and any other document in relation to permits # 08-203786 & 07-112013. Record search from Jan. 1, 2007 to Jan. 1, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'change', 'order', 'compliance', 'order', 'document', 'relation', 'permit', '203786', '112013', 'record', 'search', 'january', 'january']
Original Request: A copy of MLS inspection records related to dog at (). Complaint made May 1, 2014, inspection performed May 7, 2014. Record search May 1-7, 2014.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'complaint', 'inspection', 'perform', 'record', 'search']
Original Request: A copy of order dated Dec. 5, 2000 and Jan. 18, 2001 for (). The Order was issued by Winston Chen.
Tokens prepared for LDA: ['order', 'december', 'january', 'order', 'issue', 'winston']
Original Request: All records, plans, incident and inspection reports, work orders, surveys, correspondence, submissions for variances etc. pertaining to the building and demolition at (), from Nov. 28, 2014 to present. Require records in electronic format.
Tokens prepared for LDA: ['record', 'incident', 'inspection', 'report', 'order', 'survey', 'correspondence', 'submission', 'variance', 'pertain', 'build', 'demolition', 'november', 'present', 'require', 'record', 'electronic', 'format']
Original Request: A transcript of file no. 2392551 (from July 24, 2014 to July 31, 2014); file no. 2849805 (from July 24, 2011 to July 31, 2014), including application details from start to close of files for () from Nov. 18, 2013 to Dec. 18, 2013.
Tokens prepared for LDA: ['transcript', '2392551', '2849805', 'include', 'application', 'start', 'close', 'november', 'december']
Original Request: Any balcony being built on both sides of the building on (), Etobicoke.
Tokens prepared for LDA: ['balcony', 'build', 'build', 'etobicoke']
Original Request: A copy of dispatch or chronology report for a fire truck that left station at 4.14 pm, Sept. 30, 2014 at Sheppard Ave. east of Dufferin St. Truck was northbound on Dufferin between Sheppard Ave. W. and Finch.
Tokens prepared for LDA: ['dispatch', 'chronology', 'report', 'truck', 'leave', 'station', 'september', 'sheppard', 'dufferin', 'truck', 'northbound', 'dufferin', 'sheppard', 'finch']
Original Request: A copy of fence encroachment agreement for ()., Toronto.
Tokens prepared for LDA: ['fence', 'encroachment', 'agreement', 'toronto']
Original Request: All ML&S complaints documented by the City to show the character of the landlord 765044 Ont. Ltd. for (), from 2000 to 2015.
Tokens prepared for LDA: ['complaint', 'document', 'character', 'landlord', '765044']
Original Request: Building permit application forms, drawings, zoning review letters and applications; building and zoning department correspondence with applicants and owners for () from 1974 to 2014.
Tokens prepared for LDA: ['building', 'permit', 'application', 'drawing', 'review', 'letter', 'application', 'build', 'department', 'correspondence', 'applicant', 'owner']
Original Request: Any orders, or directions by medical officer of health; any orders, notices, warnings, directions or any other communications re: dog bites from dogs owned by () of () from May 25, 2014 to present.
Tokens prepared for LDA: ['order', 'direction', 'medical', 'officer', 'health', 'order', 'notice', 'warning', 'direction', 'communication', 'present']
Original Request: Response to complainant from Costanza Allevato (Director SDFA) re: complaint that Franklin Horner Community Centre used City resources to support a specific candidate during 2014 Municipal Election.
Tokens prepared for LDA: ['response', 'complainant', 'costanza', 'allevato', 'director', 'complaint', 'franklin', 'horner', 'community', 'centre', 'resource', 'support', 'specific', 'candidate', 'municipal', 'election']
Original Request: Information on Beck Taxi # 1941, includes but is not limited to, identity of the driver and owners of the vehicle, all incident reports re: this vehicle, all insurance policy info of the driver and owner, insurance information of Beck Taxi.
Tokens prepared for LDA: ['information', 'include', 'limit', 'identity', 'driver', 'owner', 'vehicle', 'incident', 'report', 'vehicle', 'insurance', 'policy', 'driver', 'owner', 'insurance', 'information']
Original Request: A copy of the so called "Minor Injury / Incident Report" from Sir Oliver Mowat Swimming Pool for the injury incurred by () on Feb. 19, 2015.
Tokens prepared for LDA: ['minor', 'injury', 'incident', 'report', 'oliver', 'mowat', 'swimming', 'injury', 'incur', 'february']
Original Request: Any and all records pertaining to () from Building, Fire Services and Property Standards from Jan. 2014 to present.
Tokens prepared for LDA: ['record', 'pertain', 'building', 'services', 'property', 'standard', 'january', 'present']
Original Request: Any records pertaining to complaints, inspections, orders made to / issued from Public Health and ML&S re: () and () and (), from July 1, 2014 to Feb. 27, 2015.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'inspection', 'order', 'issue', 'public', 'health', 'february']
Original Request: Building inspection reports, copies of inspector's notes for (). The file numbers are 98 019356 BLD, 98 019 357, 81 016566, 81-025191, 82 012951, 2008 208086, 77 013368, 77 01667, from 1977 to present.
Tokens prepared for LDA: ['building', 'inspection', 'report', 'inspector', 'number', '019356', '016566', '025191', '012951', '208086', '013368', '01667', 'present']
Original Request: Detailed record of all property fines issued to () in 2014 including a copy of the police report regarding a tree cutting incident between the above address and individual from neighbouring property.
Tokens prepared for LDA: ['detail', 'record', 'property', 'issue', 'include', 'police', 'report', 'regard', 'incident', 'address', 'individual', 'neighbour', 'property']
Original Request: Record of all the particulars of the City's winter maintenance contract(s) and the particulars of work completed, pursuant to such contracts with respect to the Eglinton Ave. W. and Renforth Dr. area on Jan. 15, 2011.
Tokens prepared for LDA: ['record', 'particular', 'winter', 'maintenance', 'contract(s', 'particular', 'complete', 'pursuant', 'contract', 'respect', 'eglinton', 'renforth', 'january']
Original Request: Data local taxes revenue and budget for City of Toronto, 2013-2014; all data relating to Toronto City billboard tax years 2013-2014 (i.e. target and realization of revenue, number of billboards in city, tax rate, how to calculate tax, policy).
Tokens prepared for LDA: ['local', 'taxis', 'revenue', 'budget', 'toronto', 'datum', 'relate', 'toronto', 'billboard', 'target', 'realization', 'revenue', 'billboard', 'calculate', 'policy']
Original Request: Summary of past, present and outstanding building permit applications, including file numbers and general purpose/activity related to each permit, all related to buildings/lands at ().
Tokens prepared for LDA: ['summary', 'present', 'outstanding', 'build', 'permit', 'application', 'include', 'number', 'general', 'purpose', 'activity', 'relate', 'permit', 'relate', 'building']
Original Request: Everything pertaining to Ecua Peru Fried Chicken located at 2111 Jane St., #9 including business license and insurance information of this company, and health inspection records, from 2008 to present.
Tokens prepared for LDA: ['pertain', 'fry', 'chicken', 'locate', 'include', 'business', 'license', 'insurance', 'information', 'company', 'health', 'inspection', 'record', 'present']
Original Request: A copy of fire inspection report for () from Oct. 2010 to Jun. 2012.
Tokens prepared for LDA: ['inspection', 'report', 'october']
Original Request: All fire records on () including, violations and any information which may determine usage. Reference FOI# 2015-00394. Record search Jan. 1, 1990 to Mar. 4, 2015.
Tokens prepared for LDA: ['record', 'include', 'violation', 'information', 'determine', 'usage', 'reference', '00394', 'record', 'search', 'january', 'march']
Original Request: Record of work done to municipal water main and/or service pipes associated with servicing () specifically information regarding the removal and/or replacement of lead pipes. Record search Jan. 1, 1950 to Mar. 2, 2015.
Tokens prepared for LDA: ['record', 'municipal', 'water', 'and/or', 'service', 'associate', 'service', 'specifically', 'information', 'regard', 'removal', 'and/or', 'replacement', 'record', 'search', 'january', 'march']
Original Request: A complete copy of building file for () from as far back as possible to present, including specifications.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present', 'include', 'specification']
Original Request: Record of ML&S inspection notes for () from Feb. 9, 2015 to present. Officer, Daisy Christodoulou.
Tokens prepared for LDA: ['record', 'inspection', 'february', 'present', 'officer', 'daisy', 'christodoulou']
Original Request: All documents related to () including inspection reports, notes and fire permits review/approval/notes. Record search from 2011 to 2013.
Tokens prepared for LDA: ['document', 'relate', 'include', 'inspection', 'report', 'permit', 'review', 'approval', 'record', 'search']
Original Request: A complete copy of ML&S file# 3124434 regarding an investigation of heating issues at () on Jan., 2015.
Tokens prepared for LDA: ['complete', '3124434', 'regard', 'investigation', 'issue', 'january']
Original Request: A copy of building permit and inspection report for (), East York, from Jan. 1, 2000 to Oct. 31, 2013.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'january', 'october']
Original Request: Any itineraries, including drafts created for Mayor John Tory for Feb. 25,2015 and March 6, 2015, not including the versions that Mayor Tory's staff have already disclosed online.
Tokens prepared for LDA: ['itinerary', 'include', 'draft', 'create', 'mayor', 'february', '25,2015', 'march', 'include', 'version', 'mayor', 'staff', 'disclose', 'online']
Original Request: A complete copy of animal services incident report, file# A15 002509 for (). Record search Feb. 4, 2015 to Feb. 10, 2015.
Tokens prepared for LDA: ['complete', 'animal', 'service', 'incident', 'report', '002509', 'record', 'search', 'february', 'february']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on June 25, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of all information regarding the fence dispute in the public alley behind {4 addresses}. There may also be fencing documents associated with {an address}.
Tokens prepared for LDA: ['information', 'regard', 'fence', 'dispute', 'public', 'alley', 'addresses}.', 'fence', 'document', 'associate', 'address}.']
Original Request: A document showing the total number of Toronto Zoo passes issued to staff between January 2009 to June 20, 2012, including the names and reasons for issuance (by who and when).
Tokens prepared for LDA: ['document', 'total', 'toronto', 'issue', 'staff', 'january', 'include', 'reason', 'issuance']
Original Request: A copy of any inquiries made by {an individual} on November 21, 2011 or any time after with respect to {an address}.
Tokens prepared for LDA: ['inquiry', 'individual', 'november', 'respect', 'address}.']
Original Request: A copy of the ML&S file no. B21621 regarding the complaint against {an organization}, as well as all other complaint records or files against {an organization.
Tokens prepared for LDA: ['b21621', 'regard', 'complaint', 'organization', 'complaint', 'record', 'organization']
Original Request: A copy of the fire report for {an address}. The incident occurred in December 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for the motor vehicle accident in the westbound lanes of Highway 401 just west of Leslie Street. The incident occurred on February 14, 2007.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'westbound', 'highway', 'leslie', 'street', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for the motor vehicle accident that occurred northbound on Highway 400 near Finch Avenue West. The incident occurred on February 13, 2011. Fire Report No. F09017520.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'northbound', 'highway', 'finch', 'avenue', 'incident', 'occur', 'february', 'report', 'f09017520']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 18, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {2 addresses}, North York. The incident occurred on June 16, 2012.
Tokens prepared for LDA: ['report', 'address', 'north', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 19, 2009. Also any additional documents including any notes relating to discussions with the owners.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january', 'additional', 'document', 'include', 'relate', 'discussion', 'owner']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 28, 2011. Fire Report No. F11164333.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'report', 'f11164333']
Original Request: A copy of the fire report for {an address}, Scarborough.
Tokens prepared for LDA: ['report', 'address', 'scarborough']
Original Request: A copy of any records relating to internal renovations undertaken on the property {2 addresses} between 1988 and 1990.
Tokens prepared for LDA: ['record', 'relate', 'internal', 'renovation', 'undertake', 'property', 'address']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 22, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 9, 2009.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 4, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Scarborough.The incident occurred on April 12, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, North York. The incident occurred on June 12, 2012.
Tokens prepared for LDA: ['report', 'address', 'north', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident happened in 2012. Fire Report No.: F12066288.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'happen', 'report', 'f12066288']
Original Request: A copy of the fire inspection report for {an address}, Scarborough. The inspection occurred the week after the fire incident no. F12066288.
Tokens prepared for LDA: ['inspection', 'report', 'address', 'scarborough', 'inspection', 'occur', 'incident', 'f12066288']
Original Request: A copy of records showing there was an oil spill on {series of addresses} on September 29, 2011. Confirmation No. 1205521.
Tokens prepared for LDA: ['record', 'spill', 'series', 'address', 'september', 'confirmation', '1205521']
Original Request: A copy of all building permits (including any documents related to construction) for {an address} since the property was built in 1919.
Tokens prepared for LDA: ['build', 'permit', 'include', 'document', 'relate', 'construction', 'address', 'property', 'build']
Original Request: A copy of the building permits for {2 addresses}.
Tokens prepared for LDA: ['build', 'permit', 'addresses}.']
Original Request: A copy of the building permits for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'address}.']
Original Request: A copy of all records related to {an address} since 1986.
Tokens prepared for LDA: ['record', 'relate', 'address']
Original Request: A copy of all documents related to {an address} pertaining to planning, zoning, construction, or renovation.
Tokens prepared for LDA: ['document', 'relate', 'address', 'pertain', 'construction', 'renovation']
Original Request: A record of the issuer and name of who gave the Toronto Zoo guest passes with the serial numbers: 321850, 321851, 321852, and 321852. Also the consulting fees to the Zoo from Mansfield Communications from January 2010 to July 2012, inclusive.
Tokens prepared for LDA: ['record', 'issuer', 'toronto', 'guest', 'serial', 'number', '321850', '321851', '321852', '321852', 'consult', 'mansfield', 'communications', 'january', 'inclusive']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 3 or 4, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of any records relating to outstanding weed cutting or hedge cutting charges with respect to {an address}.
Tokens prepared for LDA: ['record', 'relate', 'outstanding', 'hedge', 'charge', 'respect', 'address}.']
Original Request: A copy of the dog bite records for the incident that occurred at {an address}, North York. The incident occurred on March 25, 2011. Reference No. A11-008679.
Tokens prepared for LDA: ['record', 'incident', 'occur', 'address', 'north', 'incident', 'occur', 'march', 'reference', '008679']
Original Request: A copy of all building records relating to {an address}, including any inspection reports, notes, and letters between previous home owners and the City of Toronto.
Tokens prepared for LDA: ['build', 'record', 'relate', 'address', 'include', 'inspection', 'report', 'letter', 'previous', 'owner', 'toronto']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 23, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 26, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 5, 2011. Also any photos, witness statements, and fire fighter statements/notes relating to the fire.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'photo', 'witness', 'statement', 'fighter', 'statement', 'relate']
Original Request: A copy of all inspection records (and resulting records) relating to {an address} from 2012.
Tokens prepared for LDA: ['inspection', 'record', 'result', 'record', 'relate', 'address']
Original Request: A copy of any records relating to a marijuana grow op at {an address} since January 2009. Any records from Building, ML&S and Public Health.
Tokens prepared for LDA: ['record', 'relate', 'marijuana', 'address', 'january', 'record', 'building', 'public', 'health']
Original Request: A copy of all records, documents, emails, applications, files, papers, notes, or any records relevant to the structural, architectural, building, and sewage plans for {an address}.
Tokens prepared for LDA: ['record', 'document', 'email', 'application', 'paper', 'record', 'relevant', 'structural', 'architectural', 'build', 'sewage', 'address}.']
Original Request: A copy of the work shut order relating to the ventilation problems in the washroom of {an address}. The inspection was done by Alistarir Thomas of ML&S on May 9.
Tokens prepared for LDA: ['order', 'relate', 'ventilation', 'problem', 'washroom', 'address}.', 'inspection', 'alistarir', 'thomas']
Original Request: A copy of all EMS records relating to {an individual}, including any paramedic reports. The ambulance would have been called to {an address}.
Tokens prepared for LDA: ['record', 'relate', 'individual', 'include', 'paramedic', 'report', 'ambulance', 'address}.']
Original Request: A copy of all building permits and records related to {an address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'relate', 'address}.']
Original Request: A copy of the building file no. 10-213422BR for {an address}.
Tokens prepared for LDA: ['build', '213422br', 'address}.']
Original Request: A copy of all building work permits for {an address} since November 2011. Also any details of the construction covered by permits (i.e. plumbing, structural, grounds/landscaping, accessibility, etc).
Tokens prepared for LDA: ['build', 'permit', 'address', 'november', 'construction', 'cover', 'permit', 'plumb', 'structural', 'ground', 'landscape', 'accessibility']
Original Request: A copy of all complaints submitted to the City of Toronto or Parking Tag Operation centres from July 1, 2011 to June 30, 2012 relating to parking enforcement officers employed by the City or about parking enforcement in general.
Tokens prepared for LDA: ['complaint', 'submit', 'toronto', 'parking', 'operation', 'centre', 'relate', 'enforcement', 'officer', 'employ', 'enforcement', 'general']
Original Request: A copy of all building records for {an address} related to permits and converting the property from a single dwelling to a duplex.
Tokens prepared for LDA: ['build', 'record', 'address', 'relate', 'permit', 'convert', 'property', 'single', 'dwell', 'duplex']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 27, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 8, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 12, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the records showing which dates the street lines were painted before and after July 17, 2011 for the northbound lane on Keele Street between Finch Avenue and Steeles Avenue, including specifically the stop lines around {an address}.
Tokens prepared for LDA: ['record', 'street', 'paint', 'northbound', 'keele', 'street', 'finch', 'avenue', 'steele', 'avenue', 'include', 'specifically', 'address}.']
Original Request: An electronic record showing the unscheduled pool closures in outdoor pools in the summer of 2011, including the pool location, date and time, and cause due to reasons such as storms, water opacity, and other causes.
Tokens prepared for LDA: ['electronic', 'record', 'unscheduled', 'closure', 'outdoor', 'summer', 'include', 'location', 'cause', 'reason', 'storm', 'water', 'opacity', 'cause']
Original Request: Information on the alternative proposal for the {organization} project located at {an address} for reduction of the sanitary main from the Ontario Plumbing Code (aka Building Code) requirement of 375 mm to an engineered solution of 200 mm diameter.
Tokens prepared for LDA: ['information', 'alternative', 'proposal', 'organization', 'project', 'locate', 'address', 'reduction', 'sanitary', 'ontario', 'plumbing', 'building', 'requirement', 'engineer', 'solution', 'diameter']
Original Request: A copy of all building inspection records for {an address}.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'address}.']
Original Request: A copy of building permits issued on {an address} and all inspection records, and any other records available on this building for the years 1997 to 1999.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'address', 'inspection', 'record', 'record', 'available', 'build']
Original Request: Copies of all information between Jan. 1, 2011 and May 31, 2012 regarding chicken eggs seized from stores, investigations, complaints or charges laid in relation to under-grade, ungraded eggs for {name of store} at {an address}, Scarborough
Tokens prepared for LDA: ['copy', 'information', 'january', 'regard', 'chicken', 'seize', 'store', 'investigation', 'complaint', 'charge', 'relation', 'grade', 'ungraded', 'store', 'address', 'scarborough']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 23, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A complete copy of the building file for {an address}, Toronto.
Tokens prepared for LDA: ['complete', 'build', 'address', 'toronto']
Original Request: All records from Public Health relating to the food poison claim against the {a banquet hall} located at {an address}. The incident occurred on Nov. 25, 2011 and the issue was ecoli.
Tokens prepared for LDA: ['record', 'public', 'health', 'relate', 'poison', 'claim', 'banquet', 'locate', 'address}.', 'incident', 'occur', 'november', 'issue', 'ecoli']
Original Request: A copy of all emails, correspondence, and documentation relating to the blocking of email from {email address} to toronto.ca emails during July, August and September of 2010.
Tokens prepared for LDA: ['email', 'correspondence', 'documentation', 'relate', 'block', 'email', 'email', 'address', 'toronto.ca', 'email', 'august', 'september']
Original Request: A copy of the building permits, specifications, inspection notes, and reports related to the {organization} located at {an address}. File No. 07260464.
Tokens prepared for LDA: ['build', 'permit', 'specification', 'inspection', 'report', 'relate', 'organization', 'locate', 'address}.', '07260464']
Original Request: A copy of all inspection reports or notices of violation for {an address} subsequent to the fire incident in December 2011.
Tokens prepared for LDA: ['inspection', 'report', 'notice', 'violation', 'address', 'subsequent', 'incident', 'december']
Original Request: A copy of all maintenance, repair and inspection reports for the taxi licence no. V02-3132851 from February 28, 2008 to February 28, 2009. {company's name} taxi no. 533. Taxi driver {an individual}.
Tokens prepared for LDA: ['maintenance', 'repair', 'inspection', 'report', 'licence', '3132851', 'february', 'february', 'company', 'driver', 'individual}.']
Original Request: A copy of all maintenance, repair and inspection reports for the taxi licence no. V02-3132851 from February 28, 2008 to February 28, 2009. {company's name} taxi no. 533. Taxi driver {individual's name}.
Tokens prepared for LDA: ['maintenance', 'repair', 'inspection', 'report', 'licence', '3132851', 'february', 'february', 'company', 'driver', 'individual', 'name}.']
Original Request: A copy of all complaints made against {an address} between March 2010 and July 2012, including the dates and subjects of every call/complaint.
Tokens prepared for LDA: ['complaint', 'address', 'march', 'include', 'subject', 'complaint']
Original Request: A copy of records relating to Casa Loma including breakdowns and details relating to the $20 Million Capital Plan, the 10 year restoration master plan, the A/C installation, and details of all existing tenants and future tenant plans.
Tokens prepared for LDA: ['record', 'relate', 'include', 'breakdown', 'relate', 'million', 'capital', 'restoration', 'master', 'installation', 'exist', 'tenant', 'future', 'tenant']
Original Request: A copy of all building documents related to {3 addresses}, including records showing the designated use of the property, any zoning information, parking designation documents, any permit information, etc.
Tokens prepared for LDA: ['build', 'document', 'relate', 'address', 'include', 'record', 'designate', 'property', 'information', 'designation', 'document', 'permit', 'information']
Original Request: A copy of the building audit and inspection reports relating to {an address} from 2011 and 2012. Also a copy of the health inspection records.
Tokens prepared for LDA: ['build', 'audit', 'inspection', 'report', 'relate', 'address', 'health', 'inspection', 'record']
Original Request: A copy of the roof sign permit for {an address}. Permit No. 45235 issued in 1957.
Tokens prepared for LDA: ['permit', 'address}.', 'permit', '45235', 'issue']
Original Request: A copy of the building permit for the final condominium plan approval of {an address}, including copies of notification of public meeting and zoning application.
Tokens prepared for LDA: ['build', 'permit', 'final', 'condominium', 'approval', 'address', 'include', 'notification', 'public', 'application']
Original Request: A copy of the fire report for {an address}, East York.
Tokens prepared for LDA: ['report', 'address']
Original Request: A copy of the building permits and final inspection report regarding {an address}, East York.
Tokens prepared for LDA: ['build', 'permit', 'final', 'inspection', 'report', 'regard', 'address']
Original Request: A copy of the complaint and associated inspection records relating to interior building renovations at {an address} from July 2012.
Tokens prepared for LDA: ['complaint', 'associate', 'inspection', 'record', 'relate', 'interior', 'build', 'renovation', 'address']
Original Request: A copy of the building documents for {an address}.
Tokens prepared for LDA: ['build', 'document', 'address}.']
Original Request: A copy of the fire and EMS reports relating to the incident at {an address} between February and March 2012. {an individual} was hit behind the head and neck and put on a stretcher, also incident report from Facilities Management.
Tokens prepared for LDA: ['report', 'relate', 'incident', 'address', 'february', 'march', 'individual', 'stretcher', 'incident', 'report', 'facility', 'management']
Original Request: A copy of the grading certificate for {an address}, Etobicoke.
Tokens prepared for LDA: ['grade', 'certificate', 'address', 'etobicoke']
Original Request: A copy of full investigation report by inspector for the basement unit located at {an address}, North York. The inspection was done on July 11, 2012. There was a full report in 2011. The issue was on carbon monoxide and smoke detectors.
Tokens prepared for LDA: ['investigation', 'report', 'inspector', 'basement', 'locate', 'address', 'north', 'inspection', 'report', 'issue', 'carbon', 'monoxide', 'smoke', 'detector']
Original Request: A copy of full investigation report by inspector for the basement unit located at {an address}, North York. The inspection was done on July 11, 2012. There was a full report in 2011. The issue was on carbon monoxide and smoke detectors.
Tokens prepared for LDA: ['investigation', 'report', 'inspector', 'basement', 'locate', 'address', 'north', 'inspection', 'report', 'issue', 'carbon', 'monoxide', 'smoke', 'detector']
Original Request: Maintenance records on the sewer line located at {an address}, Etobicoke from the last 4 years preceding May 14, 2011. The sewer back up incident occurred on May 14, 2011.
Tokens prepared for LDA: ['maintenance', 'record', 'sewer', 'locate', 'address', 'etobicoke', 'precede', 'sewer', 'incident', 'occur']
Original Request: A copy of ambulance incident details call report for the incident that occurred on May 12, 2012 at {an address}, Toronto.
Tokens prepared for LDA: ['ambulance', 'incident', 'report', 'incident', 'occur', 'address', 'toronto']
Original Request: Total overtime / lieu time for each section / division of the City of Toronto for the years 2008, 2009 and 2010.
Tokens prepared for LDA: ['total', 'overtime', 'section', 'division', 'toronto']
Original Request: Copies of old and existing building permits issued for {an address}, North York and confirmation of the permitted use for the subject propety as a Retirement Home and Nursing Office.
Tokens prepared for LDA: ['copy', 'exist', 'build', 'permit', 'issue', 'address', 'north', 'confirmation', 'permit', 'subject', 'propety', 'retirement', 'nursing', 'office']
Original Request: Copies of building permits issued for {an address}, North York from 1985 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'address', 'north', 'present']
Original Request: A copy of building permit no. 1985-013677 BLD including application forms, inspector reports and issued building permit drawings. The address is {an address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', '013677', 'include', 'application', 'inspector', 'report', 'issue', 'build', 'permit', 'drawing', 'address', 'address', 'toronto']
Original Request: A copy of noise violations and complaints made against {an address}.
Tokens prepared for LDA: ['noise', 'violation', 'complaint', 'address}.']
Original Request: Committee of Adjustment drawings for {an addess} for 2008 and 2009.
Tokens prepared for LDA: ['committee', 'adjustment', 'drawing', 'add']
Original Request: A copy of fire report for {an address}, Toronto. The incident occurred on July 4, 2012.
Tokens prepared for LDA: ['report', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of health inspection report for the basement unit at {an address}, Scarborough. The inspection was done in May or June 2012.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'basement', 'address', 'scarborough', 'inspection']
Original Request: A copy of the building permit application or neighbour's letter of consent for the garage and driveway built at {an address} around 1980's. File No. 199299.
Tokens prepared for LDA: ['build', 'permit', 'application', 'neighbour', 'letter', 'consent', 'garage', 'driveway', 'build', 'address', '199299']
Original Request: A copy of all documents pertaining to the nomination of {an address} for historical listing and designation to the historical board.
Tokens prepared for LDA: ['document', 'pertain', 'nomination', 'address', 'historical', 'designation', 'historical', 'board']
Original Request: A copy of any current or past job description(s) and posting(s) for the position of City Solicitor, for counsel positions with the City's Legal Services Division and for the position of the City Clerk.
Tokens prepared for LDA: ['current', 'description(s', 'posting(s', 'position', 'solicitor', 'counsel', 'position', 'legal', 'services', 'division', 'position', 'clerk']
Original Request: A copy of the building inspection records and photographs taken regarding {an address}. File No.: 11-299-442 PRS 001V.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'photograph', 'regard', 'address}.', '001v.']
Original Request: A copy of the ambulance call report for the slip and fall incident that occurred in the {organization} parking lot at {an address}. The incident occurred on May 14, 2012 around 11:00 a.m.
Tokens prepared for LDA: ['ambulance', 'report', 'incident', 'occur', 'organization', 'address}.', 'incident', 'occur', '11:00']
Original Request: A copy of the ambulance call report for the motor vehicle accident at Kingston Road and Glen Manor Drive. The incident occurred on July 9, 2010 around 15:45.
Tokens prepared for LDA: ['ambulance', 'report', 'motor', 'vehicle', 'accident', 'kingston', 'manor', 'drive', 'incident', 'occur', '15:45']
Original Request: A copy of all records relating to the ML&S investigation of {an address}, folder no. 12 205134 PRS 00IV, including all notes, letters, emails, documents collected and written by by-law officers, complaint records, etc.
Tokens prepared for LDA: ['record', 'relate', 'investigation', 'address', 'folder', '205134', 'include', 'letter', 'email', 'document', 'collect', 'write', 'officer', 'complaint', 'record']
Original Request: A copy of the examiner's notice regarding a recently completed Zoning Certificate Review related to a pending minor variance application for the mixed-use building at {an address}, including any associated notes and calculations.
Tokens prepared for LDA: ['examiner', 'notice', 'regard', 'recently', 'complete', 'zoning', 'certificate', 'review', 'relate', 'minor', 'variance', 'application', 'build', 'address', 'include', 'associate', 'calculation']
Original Request: A copy of the examiner's notice regarding a recently completed Zoning Certificate Review related to a pending minor variance application for the mixed-use building at {an address}, including any associated notes and calculations.
Tokens prepared for LDA: ['examiner', 'notice', 'regard', 'recently', 'complete', 'zoning', 'certificate', 'review', 'relate', 'minor', 'variance', 'application', 'build', 'address', 'include', 'associate', 'calculation']
Original Request: A copy of the inspection report no. 12-166-24 regarding the basement rental unit of {an address}.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'basement', 'rental', 'address}.']
Original Request: A copy of records relating to the municipal sidewalk located at the intersection of Pape Avenue and O'Connor Drive from 2007.
Tokens prepared for LDA: ['record', 'relate', 'municipal', 'sidewalk', 'locate', 'intersection', 'avenue', "o'connor", 'drive']
Original Request: A copy of the fire report for the motor vehicle accident on Sheppard Avenue East at or near the intersection of Brenyon Way. The incident occurred on March 13, 2009 at approximately 6:00 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'sheppard', 'avenue', 'intersection', 'brenyon', 'incident', 'occur', 'march', 'approximately']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 20, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on June 25, 2012 around 5:00 a.m.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 9, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on June 17, 2012.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of the building permit history for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'history', 'address}.']
Original Request: A copy of the building permit no. 05-120321PSA00PS and order to comply file no.'s 02-196364WNP00VI and 05-110755WNP00VI relating to {an address}.
Tokens prepared for LDA: ['build', 'permit', '120321psa00ps', 'order', 'comply', '196364wnp00vi', '110755wnp00vi', 'relate', 'address}.']
Original Request: A copy of the inspection reports for {an address}.
Tokens prepared for LDA: ['inspection', 'report', 'address}.']
Original Request: A copy of the CD audio recording and dispatch report for the ambulance that attended the motor vehicle accident at 401 and Dixon Road. The incident occurred on June 21, 2010 around 6:45 p.m.
Tokens prepared for LDA: ['audio', 'record', 'dispatch', 'report', 'ambulance', 'attend', 'motor', 'vehicle', 'accident', 'dixon', 'incident', 'occur']
Original Request: A copy of the building permit file from June 2009 to June 2012 for {an address}, including all applications, dates of attendance, inspection notes, etc.
Tokens prepared for LDA: ['build', 'permit', 'address', 'include', 'application', 'attendance', 'inspection']
Original Request: A copy of all video footage taken by the traffic cameras on October 9, 2009 between 9:00 p.m. and 10:00 p.m. of the intersection of Islington Avenue and Albion Road.
Tokens prepared for LDA: ['video', 'footage', 'traffic', 'camera', 'october', '10:00', 'intersection', 'islington', 'avenue', 'albion']
Original Request: A copy of the inspection report from 2010 regarding the taxi cab no. 1908, Plate No. {number}
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'plate']
Original Request: A copy of all emails, communications products, briefing notes and other documents relating to incidents of concrete falling from the Gardiner Expressway. Records from June 19, 2011 to present.
Tokens prepared for LDA: ['email', 'communication', 'product', 'brief', 'document', 'relate', 'incident', 'concrete', 'gardiner', 'expressway', 'record', 'present']
Original Request: A copy of all engineering and inspection reports relating to the Gardiner Expressway from January 1, 2007 to present.
Tokens prepared for LDA: ['engineer', 'inspection', 'report', 'relate', 'gardiner', 'expressway', 'january', 'present']
Original Request: A list for all City of Toronto unclaimed cheques drawn and issued between January 1, 2011 and December 31, 2011 and still outstanding by July 1, 2012, including the cheque number, the cheque date, the amount, and the beneficiary name.
Tokens prepared for LDA: ['toronto', 'unclaimed', 'cheque', 'issue', 'january', 'december', 'outstanding', 'include', 'cheque', 'cheque', 'beneficiary']
Original Request: A copy of all documents regarding health inspections of the {organization} located at {an address}, Etobicoke. from January 1, 2006.
Tokens prepared for LDA: ['document', 'regard', 'health', 'inspection', 'organization', 'locate', 'address', 'etobicoke', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 4, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 11, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 14, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on November 19, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 28, 2012. Fire Report No. F12069578.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'report', 'f12069578']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 14, 2012. Fire Report No. F12074809.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'report', 'f12074809']
Original Request: A copy of the written report regarding the water service investigation from July 18, 2012 (service request no. 663199). There was a call made to the City around July 15, 2012 for flooding conditions at {an address}.
Tokens prepared for LDA: ['write', 'report', 'regard', 'water', 'service', 'investigation', 'service', 'request', '663199', 'flood', 'condition', 'address}.']
Original Request: A copy of Mayor Rob Ford's daily itinerary from March 15, 2012 to July 23, 2012. Specifically details from June 25, 2012 between 11 a.m. and 2 p.m.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'march', 'specifically']
Original Request: A copy of all emails sent by {an individual} between July 1, 2011 and November 30, 2011.
Tokens prepared for LDA: ['email', 'individual', 'november']
Original Request: A copy of the 2011 and 2012 salaries of all employees of the Mayor's Office.
Tokens prepared for LDA: ['salary', 'employee', 'mayor', 'office']
Original Request: A copy of any documents showing when {an individual} was added to the staff of then-councillor Rob Ford in 2010 or any documents showing when {an individual} began receiving a paycheque from the City of Toronto.
Tokens prepared for LDA: ['document', 'individual', 'staff', 'councillor', 'document', 'individual', 'begin', 'receive', 'paycheque', 'toronto']
Original Request: A copy of complaints received relating to {an address} from August 2010 to present.
Tokens prepared for LDA: ['complaint', 'receive', 'relate', 'address', 'august', 'present']
Original Request: A copy of the inspector notes from the current building file for {an address}.
Tokens prepared for LDA: ['inspector', 'current', 'build', 'address}.']
Original Request: A copy of documents showing the clearance to finish the driveway surface at {an address} without violation of the Tree Protection Act. Building Permit Number: 10-192-118.
Tokens prepared for LDA: ['document', 'clearance', 'finish', 'driveway', 'surface', 'address', 'violation', 'protection', 'building', 'permit', 'number']
Original Request: A copy of all responses received in respect of City of Toronto Request for Expression of Interest No. 9101-12-7008 for "Toronto Civic Theatres".
Tokens prepared for LDA: ['response', 'receive', 'respect', 'toronto', 'request', 'expression', 'toronto', 'civic', 'theatre']
Original Request: An electronic copy of the records included in the City's funeral tracking database, records provided in a tab-delimited or csv format.
Tokens prepared for LDA: ['electronic', 'record', 'include', 'funeral', 'track', 'database', 'record', 'provide', 'delimit', 'format']
Original Request: An electronic copy of the records included in the City's motor vehicle collision records.
Tokens prepared for LDA: ['electronic', 'record', 'include', 'motor', 'vehicle', 'collision', 'record']
Original Request: An electronic copy of the records included in the City's Auditor General's Fraud and Waste Program Staff database.
Tokens prepared for LDA: ['electronic', 'record', 'include', 'auditor', 'general', 'fraud', 'waste', 'program', 'staff', 'database']
Original Request: An electronic copy of the records included in the City's Cold Chain Information System. Records provided in tab-delimited or csv format.
Tokens prepared for LDA: ['electronic', 'record', 'include', 'chain', 'information', 'record', 'provide', 'delimit', 'format']
Original Request: A copy of the building permit history of any building or renovations done at {an address}.
Tokens prepared for LDA: ['build', 'permit', 'history', 'build', 'renovation', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 1, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for a ruptured gas main line at Gerrard Street and St. Matthews. The incident occurred on July 4, 2012.
Tokens prepared for LDA: ['report', 'rupture', 'gerrard', 'street', 'matthew', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on June 29, 2012.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of the building records for {an address}.
Tokens prepared for LDA: ['build', 'record', 'address}.']
Original Request: A copy of all orders to comply issued to {an address} after July 1, 2011, including any order to cease work on the premises or to conform to building code, zoning by-laws, or any other construction related laws, by-laws, or regulations.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'address', 'include', 'order', 'cease', 'premise', 'conform', 'build', 'construction', 'relate', 'regulation']
Original Request: A copy of the permit allowing the extension for {an address}.
Tokens prepared for LDA: ['permit', 'allow', 'extension', 'address}.']
Original Request: A copy of all documents pertaining to construction of {an address}, including the final inspection or occupancy certificate.
Tokens prepared for LDA: ['document', 'pertain', 'construction', 'address', 'include', 'final', 'inspection', 'occupancy', 'certificate']
Original Request: A copy of information relating to the permitted use request submitted on June 26, 2012 for {an address}. The response may have been given around July 11, 2012.
Tokens prepared for LDA: ['information', 'relate', 'permit', 'request', 'submit', 'address}.', 'response']
Original Request: A copy of the building permit and related information for {an address}. Including the original occupancy and existing parking requirements.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'information', 'address}.', 'include', 'original', 'occupancy', 'exist', 'requirement']
Original Request: A copy of records showing whether a right lane was closed due to construction at the intersection of Steeles Avenue East and Markham Road on September 20, 2009. The right turn lane on Steeles Avenue (westbound) which turns northbound onto Markham Road.
Tokens prepared for LDA: ['record', 'right', 'close', 'construction', 'intersection', 'steele', 'avenue', 'markham', 'september', 'right', 'steele', 'avenue', 'westbound', 'northbound', 'markham']
Original Request: A copy of data pertaining to each parking ticket issued by persons certified and authorized to issue tickets from January 1, 2008 to the most current open data released, specifically the ticketing officer ID and the vehicle plate numbers.
Tokens prepared for LDA: ['datum', 'pertain', 'ticket', 'issue', 'person', 'certify', 'authorize', 'issue', 'ticket', 'january', 'current', 'datum', 'release', 'specifically', 'ticket', 'officer', 'vehicle', 'plate', 'number']
Original Request: The updated information for the parking ticket open data set from January 1, 2012 to June 31, 2012 (or most recent date available). Including additional two categories of the ticketing officer's ID and the vehicle plate numbers.
Tokens prepared for LDA: ['update', 'information', 'ticket', 'datum', 'january', 'recent', 'available', 'include', 'additional', 'category', 'ticket', 'officer', 'vehicle', 'plate', 'number']
Original Request: A copy of the City Planning records for {an address} from January 1, 1995 to June 30, 2012.
Tokens prepared for LDA: ['planning', 'record', 'address', 'january']
Original Request: A copy of the City Planning records for {an address} from January 1, 1995 to June 30, 2012.
Tokens prepared for LDA: ['planning', 'record', 'address', 'january']
Original Request: A copy of the City Planning records for {an address}, Toronto from January 1, 1995 to June 30, 2012.
Tokens prepared for LDA: ['planning', 'record', 'address', 'toronto', 'january']
Original Request: A copy of the City Planning records for {an address}, Toronto from January 1, 1995 to June 30, 2012.
Tokens prepared for LDA: ['planning', 'record', 'address', 'toronto', 'january']
Original Request: A copy of the City Planning records for {an address}, Toronto from January 1, 1995 to June 30, 2012.
Tokens prepared for LDA: ['planning', 'record', 'address', 'toronto', 'january']
Original Request: A copy of all emergency flooding calls that have occurred at {an address} from 1989 to present.
Tokens prepared for LDA: ['emergency', 'flood', 'occur', 'address', 'present']
Original Request: A copy of the documents used to obtain the party wall permit for {2 addresses}.
Tokens prepared for LDA: ['document', 'obtain', 'party', 'permit', 'addresses}.']
Original Request: A copy of all records related to the sewer back up at {an address} on June 28, 2012. 311 assigned reference number 1561600.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'address', 'assign', 'reference', '1561600']
Original Request: A copy of documents showing the purchase price and average market value of the Toronto taxi plate for {an individual}.
Tokens prepared for LDA: ['document', 'purchase', 'price', 'average', 'market', 'value', 'toronto', 'plate', 'individual}.']
Original Request: A copy of documents showing the purchase price and average market value of the Toronto taxi plate for {an individual}.
Tokens prepared for LDA: ['document', 'purchase', 'price', 'average', 'market', 'value', 'toronto', 'plate', 'individual}.']
Original Request: A copy of the Public Health complaint filed against {an address}.
Tokens prepared for LDA: ['public', 'health', 'complaint', 'address}.']
Original Request: A copy of documents from the bylaw officer's training manual relating to fences and including diagrams.
Tokens prepared for LDA: ['document', 'bylaw', 'officer', 'train', 'manual', 'relate', 'fence', 'include', 'diagram']
Original Request: A copy of the permit issued to alter a single family home at {an address} on August 2, 1962 to a four family dwelling, including garage alteration for 4 motor vehicles and fire escape construction. File No. 71478.
Tokens prepared for LDA: ['permit', 'issue', 'alter', 'single', 'family', 'address', 'august', 'family', 'dwell', 'include', 'garage', 'alteration', 'motor', 'vehicle', 'escape', 'construction', '71478']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 13, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for a motor vehicle accident that occurred at {an address}, Etobicoke. The incident occurred on January 22, 2011. Fire Report No. F11008917.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'address', 'etobicoke', 'incident', 'occur', 'january', 'report', 'f11008917']
Original Request: A copy of the TTC Report/documentation sent to Toronto City Council recommending the sale of {an address} because the property was surplus to requirements.
Tokens prepared for LDA: ['report', 'documentation', 'toronto', 'council', 'recommend', 'address', 'property', 'surplus', 'requirement']
Original Request: A copy of the building permit history for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'history', 'address}.']
Original Request: A copy of the party wall agreement for {an address}.
Tokens prepared for LDA: ['party', 'agreement', 'address}.']
Original Request: A copy of the following zoning and ML&S files for {an address}, file no. 12111456 PRS 00 IV and ZON 00IR.
Tokens prepared for LDA: ['follow', 'address', '12111456']
Original Request: A copy of the Public Health file no. 117386 regarding mould issue from September 2011 to December 2011.
Tokens prepared for LDA: ['public', 'health', '117386', 'regard', 'mould', 'issue', 'september', 'december']
Original Request: A copy of the low water pressure testing and results reports for {an address}, North York. The records are from July 4, 2012.
Tokens prepared for LDA: ['water', 'pressure', 'result', 'report', 'address', 'north', 'record']
Original Request: The number of tickets issued for parking illegally in the disabled parking space located near {2 addresses} from January 2011 to February 25, 2012. Also the number of tickets issued from February 26, 2012 to present.
Tokens prepared for LDA: ['ticket', 'issue', 'illegally', 'disable', 'space', 'locate', 'address', 'january', 'february', 'ticket', 'issue', 'february', 'present']
Original Request: A copy of the arborist report for the Norway Maple at {an address}. The report was submitted in Spring 2012. Also the permit issued by the City for the removal of the Norway Maple.
Tokens prepared for LDA: ['arborist', 'report', 'norway', 'maple', 'address}.', 'report', 'submit', 'spring', 'permit', 'issue', 'removal', 'norway', 'maple']
Original Request: A copy of the records relating to the dog bite incident at {an address}. The incident occurred on May 29, 2011.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'address}.', 'incident', 'occur']
Original Request: A copy of records related to {a business} and/or {an individual} and/or {organization}, including zoning or patio applications, bylaw infractions and food safety/restaurant health inspections. Records for {an address}.
Tokens prepared for LDA: ['record', 'relate', 'business', 'and/or', 'individual', 'and/or', 'organization', 'include', 'patio', 'application', 'bylaw', 'infraction', 'safety', 'restaurant', 'health', 'inspection', 'record', 'address}.']
Original Request: A copy of records related to {a business} and/or {an individual} and/or {organization}, including zoning or patio applications, bylaw infractions and food safety/restaurant health inspections. Records for {an address}.
Tokens prepared for LDA: ['record', 'relate', 'business', 'and/or', 'individual', 'and/or', 'organization', 'include', 'patio', 'application', 'bylaw', 'infraction', 'safety', 'restaurant', 'health', 'inspection', 'record', 'address}.']
Original Request: A copy of records related to {a business} and/or {an individual} and/or {an organization}, including zoning or patio applications, bylaw infractions and food safety/restaurant health inspections. Records for {an address}.
Tokens prepared for LDA: ['record', 'relate', 'business', 'and/or', 'individual', 'and/or', 'organization', 'include', 'patio', 'application', 'bylaw', 'infraction', 'safety', 'restaurant', 'health', 'inspection', 'record', 'address}.']
Original Request: A copy of the application to injure or remove two trees at {an address}, including the supporting documents and information, internal documents regarding the application, and permits issued.
Tokens prepared for LDA: ['application', 'injure', 'remove', 'address', 'include', 'support', 'document', 'information', 'internal', 'document', 'regard', 'application', 'permit', 'issue']
Original Request: A copy of the following reports regarding repairs to the sewage line to {an address}. Report No. CSR #663623, Service Request No. 1598988, and Work Order No. 630190. Also any additional reports regarding this incident.
Tokens prepared for LDA: ['follow', 'report', 'regard', 'repair', 'sewage', 'address}.', 'report', '663623', 'service', 'request', '1598988', 'order', '630190', 'additional', 'report', 'regard', 'incident']
Original Request: A copy of the video footage for the motor vehicle accident that occurred on Lake Shore Blvd. The incident occurred on June 19, 2010 at 5:10 p.m.
Tokens prepared for LDA: ['video', 'footage', 'motor', 'vehicle', 'accident', 'occur', 'shore', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on July 12, 2012. Fire Report No. F12074119.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'report', 'f12074119']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Dixon Road and Martin Grove. The incident occurred on June 1, 2010 at 1:43.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'dixon', 'martin', 'grove', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 4, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 5, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on February 12, 2011.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 25, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the Ontario Works file for {an individual}.
Tokens prepared for LDA: ['ontario', 'works', 'individual}.']
Original Request: A copy of all records related to the Animal Services activity no. A11-30390.
Tokens prepared for LDA: ['record', 'relate', 'animal', 'services', 'activity', '30390']
Original Request: A copy of the heat loss/gain calculations relating to the building permit no. 11-118097 for {an address}.
Tokens prepared for LDA: ['calculation', 'relate', 'build', 'permit', '118097', 'address}.']
Original Request: A copy of all orders to comply, notices issued, and correspondence from the City to {an address} regarding construction since August 1, 2011. Also all applications for building permits and any plans or drawings submitted for applications/permits.
Tokens prepared for LDA: ['order', 'comply', 'notice', 'issue', 'correspondence', 'address', 'regard', 'construction', 'august', 'application', 'build', 'permit', 'drawing', 'submit', 'application', 'permit']
Original Request: A copy of all building permits, building permit applications, inspection notes and supporting documents pertaining to {an address} since 1885.
Tokens prepared for LDA: ['build', 'permit', 'build', 'permit', 'application', 'inspection', 'support', 'document', 'pertain', 'address']
Original Request: A copy of the plumbing inspection and notes related to {an address} from when the home was built in approximately 2004.
Tokens prepared for LDA: ['plumb', 'inspection', 'relate', 'address', 'build', 'approximately']
Original Request: A copy of the building permit and building permit application for {an address}. Building Permit No. 04 139257 PLB 00PS issued on August 5, 2004.
Tokens prepared for LDA: ['build', 'permit', 'build', 'permit', 'application', 'address}.', 'building', 'permit', '139257', 'issue', 'august']
Original Request: A copy of the original building permit application for materials for permit no. 10156696 BLD 00BA and a copy of the May 19, 2010 refusal notice and examiners notes. Also all building inspection notes and correspondence related to this file.
Tokens prepared for LDA: ['original', 'build', 'permit', 'application', 'material', 'permit', '10156696', 'refusal', 'notice', 'examiner', 'build', 'inspection', 'correspondence', 'relate']
Original Request: A copy of the archival records relating to the care of the aged affected by dementia in Toronto Homes for the Aged, between the 1950's and 1980's.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'affect', 'dementia', 'toronto', 'home']
Original Request: A copy of the "Bid City Agreement" as defined on page 5 of the 2015 Pan American Games Multi-Party Agreement. The Bid City Agreement was signed by Ontario, Toronto, COC, CPC and BidCo, dated April 7, 2009.
Tokens prepared for LDA: ['agreement', 'define', 'american', 'game', 'multi', 'party', 'agreement', 'agreement', 'ontario', 'toronto', 'bidco', 'april']
Original Request: A copy of the archival records relating to Board of Police Commissioners. Fonds 220, Series 11, File 863, Box 47860, Folio 5.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'board', 'police', 'commissioner', 'fonds', 'series', '47860', 'folio']
Original Request: A copy of all site plan agreements, plan references, and plan documents with respect to the development described as {Name of building} located at {address}.
Tokens prepared for LDA: ['agreement', 'reference', 'document', 'respect', 'development', 'build', 'locate', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 5, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 17, 2012. Fire Report No. F12006456.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january', 'report', 'f12006456']
Original Request: A copy of the 55 warning letters issued by the City to various Toronto Community Housing Corporation employees (referenced in the Auditor General's June 12 report). Also copies of other warning letters issued from January 1, 2011 to July 31, 2012.
Tokens prepared for LDA: ['letter', 'issue', 'various', 'toronto', 'community', 'housing', 'corporation', 'employee', 'reference', 'auditor', 'general', 'report', 'letter', 'issue', 'january']
Original Request: An electronic copy of the Parks, Forestry and Recreation Division's state of good repair backlog.
Tokens prepared for LDA: ['electronic', 'parks', 'forestry', 'recreation', 'division', 'state', 'repair', 'backlog']
Original Request: A copy of all Public Health and MLS reports pertaining to {an address} from January 2004 to present.
Tokens prepared for LDA: ['public', 'health', 'report', 'pertain', 'address', 'january', 'present']
Original Request: A copy of the records relating to a mature tree at {an address}, including any documents granting permission for the builder {an individual} to cut down the mature tree and plant 1 or 2 trees to replace it. Records from around 2010 or 2011.
Tokens prepared for LDA: ['record', 'relate', 'mature', 'address', 'include', 'document', 'grant', 'permission', 'builder', 'individual', 'mature', 'plant', 'replace', 'record']
Original Request: A copy of the average days by division of absences due to illness for the year 2011 for the following Toronto bargaining units: Local 416, Toronto Fire, Toronto Police, Local 2998, and Local 4948. Also for non-bargaining unit/management (by divisions).
Tokens prepared for LDA: ['average', 'division', 'absence', 'illness', 'follow', 'toronto', 'bargain', 'local', 'toronto', 'toronto', 'police', 'local', 'local', 'bargain', 'management', 'division']
Original Request: A copy of the average days by division of absences due to illness for the year 2011 for the following Toronto bargaining units: Local 416, Toronto Fire, Toronto Police, Local 2998, and Local 4948. Also for non-bargaining unit/management (by divisions).
Tokens prepared for LDA: ['average', 'division', 'absence', 'illness', 'follow', 'toronto', 'bargain', 'local', 'toronto', 'toronto', 'police', 'local', 'local', 'bargain', 'management', 'division']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 22, 2012. Fire Report No. F12077495.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'report', 'f12077495']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 27, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on October 14, 2011. Also any additional documents related to this fire.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'october', 'additional', 'document', 'relate']
Original Request: A copy of the fire report(s) for {an address}, Scarborough.
Tokens prepared for LDA: ['report(s', 'address', 'scarborough']
Original Request: A copy of the fire report for {an address}. The incident occurred on November 28, 2009.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the building inspection report no. 08-112096 for {an address}. The inspection occurred in 2008.
Tokens prepared for LDA: ['build', 'inspection', 'report', '112096', 'address}.', 'inspection', 'occur']
Original Request: A copy of the inspection records for {an address} including the Public Health, ML&S, Building and Fire Services records.
Tokens prepared for LDA: ['inspection', 'record', 'address', 'include', 'public', 'health', 'building', 'services', 'record']
Original Request: A copy of the Public Health report no. 112-998 for {an address}
Tokens prepared for LDA: ['public', 'health', 'report', 'address']
Original Request: A copy of the fire report for the Shuttle Bus Area on Sunrise Avenue. The incident occurred on March 4, 2008.
Tokens prepared for LDA: ['report', 'shuttle', 'sunrise', 'avenue', 'incident', 'occur', 'march']
Original Request: A copy of all complaints made to the City regarding the intersection at Kipling Avenue and Torlake Crescent, including records relating to a lack of traffic light, installation of traffic signals, cross walk installation, and pedestrian signals.
Tokens prepared for LDA: ['complaint', 'regard', 'intersection', 'kipling', 'avenue', 'torlake', 'crescent', 'include', 'record', 'relate', 'traffic', 'light', 'installation', 'traffic', 'signal', 'cross', 'installation', 'pedestrian', 'signal']
Original Request: A copy of the employment contract for {an individual} who was hired in March or April, 2011.
Tokens prepared for LDA: ['employment', 'contract', 'individual', 'march', 'april']
Original Request: A copy of all records related to {name of sports bar} at {an address} as it relates to {an individual}, including correspondence, notes, orders to comply, notices, summonses, reports, tickets, records, etc. from Dec. 1, 2006 to Dec. 31, 2007.
Tokens prepared for LDA: ['record', 'relate', 'sport', 'address', 'relate', 'individual', 'include', 'correspondence', 'order', 'comply', 'notice', 'summons', 'report', 'ticket', 'record', 'december', 'december']
Original Request: A copy of the Toronto Water report regarding flooding at {an address} and {an address} from August 9, 2011.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'regard', 'flood', 'address', 'address', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 10, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 28, 2012. Please include copies of any related notes, photos, or statements.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february', 'include', 'relate', 'photo', 'statement']
Original Request: A copy of the fire report for {an address}, North York. The incident occurred on December 17, 2011.
Tokens prepared for LDA: ['report', 'address', 'north', 'incident', 'occur', 'december']
Original Request: A copy of the Public Health file number 10427363 related to a dog bite incident that occurred on March 9, 2012. The dog resides at {an address}.
Tokens prepared for LDA: ['public', 'health', '10427363', 'relate', 'incident', 'occur', 'march', 'reside', 'address}.']
Original Request: A copy of the list of provisional licensed daycares that was provided to {a journalist} previously in 2007 and an updated list of all daycares provided with provincial licenses for 2011.
Tokens prepared for LDA: ['provisional', 'license', 'daycare', 'provide', 'journalist', 'previously', 'update', 'daycare', 'provide', 'provincial', 'license']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 21, 2012 at 10:00 a.m. Fire Report No. F12056162.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', '10:00', 'report', 'f12056162']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 13, 2012. Fire report no. F12074790.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'report', 'f12074790']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 7, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of all complaints filed or issued against {an address} from April 2009 to present, including the associated inspection reports.
Tokens prepared for LDA: ['complaint', 'issue', 'address', 'april', 'present', 'include', 'associate', 'inspection', 'report']
Original Request: A copy of all building permits, records, applications, decisions, and applications made to Committee of Adjustments regarding {an address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'application', 'decision', 'application', 'committee', 'adjustment', 'regard', 'address}.']
Original Request: A copy of the fire report for the motor vehicle accident at Lawrence Avenue East and Warden Avenue. The incident occurred on July 28, 2012 at approximately 7:30 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'lawrence', 'avenue', 'warden', 'avenue', 'incident', 'occur', 'approximately']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on October 18, 2007 around 6:00 a.m. The fire occurred on the 20th floor of the building.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'october', 'occur', 'floor', 'build']
Original Request: A copy of the orders issued to complete repair work to the {2 addresses} apartment garage and elevator and any other related documentation. The inspection occurred between 2009 and 2010 due to unsafe conditions.
Tokens prepared for LDA: ['order', 'issue', 'complete', 'repair', 'address', 'apartment', 'garage', 'elevator', 'relate', 'documentation', 'inspection', 'occur', 'unsafe', 'condition']
Original Request: A copy of the work order issued to {an address} from 2004. The work order related to renovations being done on the property.
Tokens prepared for LDA: ['order', 'issue', 'address', 'order', 'relate', 'renovation', 'property']
Original Request: A copy of the waste management inspection charge on {an address}.
Tokens prepared for LDA: ['waste', 'management', 'inspection', 'charge', 'address}.']
Original Request: A copy of the road maintenance records from April 6, 2009, including records relating to snow removal information, information on salting and snow-ploughing, snow removal schedules, and complaintson the Westbound and Eastbound lanes of Finch Avenue East.
Tokens prepared for LDA: ['maintenance', 'record', 'april', 'include', 'record', 'relate', 'removal', 'information', 'information', 'plough', 'removal', 'schedule', 'complaintson', 'westbound', 'eastbound', 'finch', 'avenue']
Original Request: A copy of the building inspection records for {an address}. The inspection took place in 2012. The file number is 12-150216.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'address}.', 'inspection', 'place', '150216']
Original Request: A copy of any previous building permits and applications for variances for {an address}.
Tokens prepared for LDA: ['previous', 'build', 'permit', 'application', 'variance', 'address}.']
Original Request: A copy of all documents related to the new structure at {an address}, including any applications and supporting documents for building permits issued Aug. 23, 2011 to present.
Tokens prepared for LDA: ['document', 'relate', 'structure', 'address', 'include', 'application', 'support', 'document', 'build', 'permit', 'issue', 'august', 'present']
Original Request: A copy of all documents related to inspections, deficiency or work orders for {an address}, including documents related to folder no. 07 111617 BLD 02SR.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'deficiency', 'order', 'address', 'include', 'document', 'relate', 'folder', '111617']
Original Request: A copy of all documents related to inspections, deficiency or work orders for {an address}, including documents related to folder no. 07 111617 BLD 02SR.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'deficiency', 'order', 'address', 'include', 'document', 'relate', 'folder', '111617']
Original Request: A copy of all building records, permits, approvals, inspections, Committee of Adjustment documents, applications and drain and plumbing documents since 1987 for {an address}.
Tokens prepared for LDA: ['build', 'record', 'permit', 'approval', 'inspection', 'committee', 'adjustment', 'document', 'application', 'drain', 'plumb', 'document', 'address}.']
Original Request: A copy of the ambulance call report for the incident that occurred at {an address}. The incident occurred on June 30, 2012 from 3p.m. to 5 p.m.
Tokens prepared for LDA: ['ambulance', 'report', 'incident', 'occur', 'address}.', 'incident', 'occur']
Original Request: A copy of any traffic camera information for the intersection of University Avenue and Queen Street from May 30, 2012 at approximately 6:30 p.m.
Tokens prepared for LDA: ['traffic', 'camera', 'information', 'intersection', 'university', 'avenue', 'queen', 'street', 'approximately']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 9, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report no. F11163118. This was a car fire that occurred on December 25, 2011 at {an address}.
Tokens prepared for LDA: ['report', 'f11163118', 'occur', 'december', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 5, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 6, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on August 6, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 30, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of any log notes or details of any incident or threat against Mayor Rob Ford that required security to respond and explanation of what happened and how it was resolved. Records from December 1, 2010 to present.
Tokens prepared for LDA: ['incident', 'threat', 'mayor', 'require', 'security', 'respond', 'explanation', 'happen', 'resolve', 'record', 'december', 'present']
Original Request: A copy of all emails and correspondence related to Access Request No. 2012-01139.
Tokens prepared for LDA: ['email', 'correspondence', 'relate', 'access', 'request', '01139']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 7, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The fire occurred on July 10, 2010. Fire Report No. F12073568.
Tokens prepared for LDA: ['report', 'address}.', 'occur', 'report', 'f12073568']
Original Request: A copy of the fire report for an incident that occurred on Bloor Street West near Bathurst Street. The incident occurred on April 19, 2011 around 3:50 p.m. Fire Report No. F11043953.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'bloor', 'street', 'bathurst', 'street', 'incident', 'occur', 'april', 'report', 'f11043953']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 21, 2012 around 1:30 p.m.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the past or currently outstanding fire department work orders for {an address}.
Tokens prepared for LDA: ['currently', 'outstanding', 'department', 'order', 'address}.']
Original Request: A copy of all MLS work orders issued in 2011 and 2012 for {an address}.
Tokens prepared for LDA: ['order', 'issue', 'address}.']
Original Request: A copy of any inspection report for {an address} from April 2012 to present regarding the hedges.
Tokens prepared for LDA: ['inspection', 'report', 'address', 'april', 'present', 'regard', 'hedge']
Original Request: A copy of records related to file no. 12 220146 PRS 00 IV item 61 regarding an MLS inspection of {an address}. Also records from item 14 related to folder no. 05 157390 PRS 00IV (July 7, 2005). Inspections related to issues with floors and lighting.
Tokens prepared for LDA: ['record', 'relate', '220146', 'regard', 'inspection', 'address}.', 'record', 'relate', 'folder', '157390', 'inspection', 'relate', 'issue', 'floor', 'light']
Original Request: A copy of all building permits and applications for {an address}, including all information regarding the uses, studios, live work, type of use, etc.
Tokens prepared for LDA: ['build', 'permit', 'application', 'address', 'include', 'information', 'regard', 'studio']
Original Request: A copy of all files (including electronic) with respect to all building permit applications submitted after July 2007 to February 12, 2010 regarding {an address}.
Tokens prepared for LDA: ['include', 'electronic', 'respect', 'build', 'permit', 'application', 'submit', 'february', 'regard', 'address}.']
Original Request: A copy of the 911 call transcript for the motor vehicle accident that occurred at Yonge Street and Park Home Avenue.
Tokens prepared for LDA: ['transcript', 'motor', 'vehicle', 'accident', 'occur', 'yonge', 'street', 'avenue']
Original Request: A copy of the animal control incident report regarding the dog bite incident that occurred at {an address}. The incident occurred on May 21, 2012.
Tokens prepared for LDA: ['animal', 'control', 'incident', 'report', 'regard', 'incident', 'occur', 'address}.', 'incident', 'occur']
Original Request: A copy of the 911 call record for the motor vehicle incident that occurred at {an address}. The incident occurred on September 4, 2008.
Tokens prepared for LDA: ['record', 'motor', 'vehicle', 'incident', 'occur', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the archival plans, minor variances, transportation comments, staff reports, etc. for {an address}.
Tokens prepared for LDA: ['archival', 'minor', 'variance', 'transportation', 'comment', 'staff', 'report', 'address}.']
Original Request: A copy of information relating to City Parks, including Nathan Phillips Square, Metro Hall, Yonge/Dundas Square, and other public squares. Records including event permit information for the past 5 years including present year.
Tokens prepared for LDA: ['information', 'relate', 'parks', 'include', 'nathan', 'phillips', 'square', 'metro', 'yonge', 'dundas', 'square', 'public', 'square', 'record', 'include', 'event', 'permit', 'information', 'include', 'present']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Yonge Street and Lawrence Avenue. The incident occurred on August 7, 2012 and involved a TTC bus.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'yonge', 'street', 'lawrence', 'avenue', 'incident', 'occur', 'august', 'involve']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 31, 2012 or August 1, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of a document showing the current designation of {an address}.
Tokens prepared for LDA: ['document', 'current', 'designation', 'address}.']
Original Request: A copy of the complete lists of Mayor Rob Ford's Christmas or other winter greeting card recipients in 2010 and 2011. Also copies of the Christmas or winter holiday card that was sent out in 2010 and 2011.
Tokens prepared for LDA: ['complete', 'mayor', 'christmas', 'winter', 'greet', 'recipient', 'christmas', 'winter', 'holiday']
Original Request: A copy of the building file no. 415090 for {an address}.
Tokens prepared for LDA: ['build', '415090', 'address}.']
Original Request: A copy of the building file no. 12-107315 relating to {an address}, including the site plan application, objections to application, appeal of application refusal, refusal letter, and any relevant correspondence between City staff and applicant.
Tokens prepared for LDA: ['build', '107315', 'relate', 'address', 'include', 'application', 'objection', 'application', 'appeal', 'application', 'refusal', 'refusal', 'letter', 'relevant', 'correspondence', 'staff', 'applicant']
Original Request: A copy of the fire inspection certificate for {an address}.
Tokens prepared for LDA: ['inspection', 'certificate', 'address}.']
Original Request: A confidential letter from {an individual} to City Council May 11-12, 2010 was time stamped and numbered at the top of the page prior to distribution by the City Clerk's Office to Council. Request who recieved copy no. 45.
Tokens prepared for LDA: ['confidential', 'letter', 'individual', 'council', 'stamp', 'number', 'prior', 'distribution', 'clerk', 'office', 'council', 'request', 'recieved']
Original Request: A copy of all emails/correspondence between Parks Forestry and Recreation and Councillor Cho regarding the renaming of McLevin Park.
Tokens prepared for LDA: ['email', 'correspondence', 'parks', 'forestry', 'recreation', 'councillor', 'regard', 'rename', 'mclevin']
Original Request: A copy of the grading certificates for {an address} regarding the property being raised up 2 feet.
Tokens prepared for LDA: ['grade', 'certificate', 'address', 'regard', 'property', 'raise']
Original Request: A copy of the application for the building permit for {an address}, Etobicoke.
Tokens prepared for LDA: ['application', 'build', 'permit', 'address', 'etobicoke']
Original Request: A copy of any current or past orders/violations against {an address} from Building, ML&S and Public Health.
Tokens prepared for LDA: ['current', 'order', 'violation', 'address', 'building', 'public', 'health']
Original Request: A copy of the inspection notes for the building file no. 07-130656 for {an address}.
Tokens prepared for LDA: ['inspection', 'build', '130656', 'address}.']
Original Request: A copy of the signage permit records for {an address}.
Tokens prepared for LDA: ['signage', 'permit', 'record', 'address}.']
Original Request: A copy of records relating to the fire inspection completed between May 18, 2012 and July 16, 2012 at {an address}. There were several violations and remedies requiring attention.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'complete', 'address}.', 'violation', 'remedy', 'require', 'attention']
Original Request: A copy of the Public Health report no. 114073 regarding {an address}.
Tokens prepared for LDA: ['public', 'health', 'report', '114073', 'regard', 'address}.']
Original Request: A copy of the complete listing of all Overall Municipal Levy Increase Rates for the Commericial, Industrial and Multi-Residential Tax Classes since these rates were calculated.
Tokens prepared for LDA: ['complete', 'overall', 'municipal', 'increase', 'rates', 'commericial', 'industrial', 'multi', 'residential', 'class', 'calculate']
Original Request: A copy of the Public Health report(s) regarding mould at {an address}. The initial calls to Public Health were made on January 31, 2012 and February 29, 2012.
Tokens prepared for LDA: ['public', 'health', 'report(s', 'regard', 'mould', 'address}.', 'initial', 'public', 'health', 'january', 'february']
Original Request: A copy of the fire inspection reports for {an address}. The inspections occurred on April 24, 2012, May 3, 2012 and August 8, 2012.
Tokens prepared for LDA: ['inspection', 'report', 'address}.', 'inspection', 'occur', 'april', 'august']
Original Request: A copy of the MLS report for {an address}. The inspection occurred on June 6, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'inspection', 'occur']
Original Request: A copy of the fire report for {an individual}. The incident occurred on August 17, 2012.
Tokens prepared for LDA: ['report', 'individual}.', 'incident', 'occur', 'august']
Original Request: A copy of any records related to the motor vehicle accident at Dufferin Street near Temple Road. The incident occurred on August 15, 2010 around 5:00 p.m. and a vehicle struck a City of Toronto fire hydrant.
Tokens prepared for LDA: ['record', 'relate', 'motor', 'vehicle', 'accident', 'dufferin', 'street', 'temple', 'incident', 'occur', 'august', 'vehicle', 'strike', 'toronto', 'hydrant']
Original Request: A copy of all costs to the City regarding the rental of vehicles from January 1, 2012 to April 30, 2012, including rental charge, fee rate, fuel rate, mileage rate, etc. Also any cost recovery, including the vehicle recovery details.
Tokens prepared for LDA: ['regard', 'rental', 'vehicle', 'january', 'april', 'include', 'rental', 'charge', 'mileage', 'recovery', 'include', 'vehicle', 'recovery']
Original Request: A copy of the building permits related to the converted basement suite for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'convert', 'basement', 'suite', 'address}.']
Original Request: A copy of all records related to bed bugs at {an address}, including complaints, inspections, and documented cases at the apartment building.
Tokens prepared for LDA: ['record', 'relate', 'address', 'include', 'complaint', 'inspection', 'document', 'apartment', 'build']
Original Request: A copy of the winter maintenance records for Birchmount Road and Glendower Circuit between October 31 and November 6, 2009, including any snow ploughing records, sand/salt applications, roadway conditions, staff scheduling, weather information, maps, etc.
Tokens prepared for LDA: ['winter', 'maintenance', 'record', 'birchmount', 'glendower', 'circuit', 'october', 'november', 'include', 'plough', 'record', 'application', 'roadway', 'condition', 'staff', 'schedule', 'weather', 'information']
Original Request: A copy of the building permit information for {an address}, including any correspondence or building permit drawings for file no. 11224917 BLD.
Tokens prepared for LDA: ['build', 'permit', 'information', 'address', 'include', 'correspondence', 'build', 'permit', 'drawing', '11224917']
Original Request: A copy of the building records for {2 addresses}.
Tokens prepared for LDA: ['build', 'record', 'addresses}.']
Original Request: A copy of the fire report for Dufferin Street near Temple Road. The motor vehicle accident occurred on August 15, 2010.
Tokens prepared for LDA: ['report', 'dufferin', 'street', 'temple', 'motor', 'vehicle', 'accident', 'occur', 'august']
Original Request: A copy of all funding information regarding cost records and expenses for the construction of tennis courts and basketball courts at Grandravine Community Centre/Park. All records for the past 10 years.
Tokens prepared for LDA: ['information', 'regard', 'record', 'expense', 'construction', 'tennis', 'court', 'basketball', 'court', 'grandravine', 'community', 'centre', 'record']
Original Request: A copy of the building complaint records that was made against {an address}. The inspection occurred on August 17, 2012.
Tokens prepared for LDA: ['build', 'complaint', 'record', 'address}.', 'inspection', 'occur', 'august']
Original Request: A copy of the surveilance video at the intersection of the Don Valley Parkway South Bloor to Richmond Street exit from 6 p.m. to 9 p.m. on September 18, 2010.
Tokens prepared for LDA: ['surveilance', 'video', 'intersection', 'valley', 'parkway', 'south', 'bloor', 'richmond', 'street', 'september']
Original Request: A copy of the ML&S and Public Health information regarding {an address}. File reference no. 12-221610.
Tokens prepared for LDA: ['public', 'health', 'information', 'regard', 'address}.', 'reference', '221610']
Original Request: A copy of fire prevention inspection reports and violation notice for {an address}, North York.
Tokens prepared for LDA: ['prevention', 'inspection', 'report', 'violation', 'notice', 'address', 'north']
Original Request: Copies of all building permits, work permits for {an address}, North York from 2006 to present, and details of construction covered by permits, i.e. concrete forming, elevator construction, structural, electrical, plumbing.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'permit', 'address', 'north', 'present', 'construction', 'cover', 'permit', 'concrete', 'elevator', 'construction', 'structural', 'electrical', 'plumb']
Original Request: A copy of building records for {an address}, Toronto. The file number is 12-211034 BLD.
Tokens prepared for LDA: ['build', 'record', 'address', 'toronto', '211034']
Original Request: Cost of original Jarvis St. Environmental Assessment Study; updated estimate for Jarvis Reconfiguration (scheduled for Fall 2012); installation of overhead wiring and signal hardware, removal of pavement maskings and remask as 5-lane road.
Tokens prepared for LDA: ['original', 'jarvis', 'environmental', 'assessment', 'study', 'update', 'estimate', 'jarvis', 'reconfiguration', 'schedule', 'installation', 'overhead', 'signal', 'hardware', 'removal', 'pavement', 'masking', 'remask', '5-lane']
Original Request: Cost of staff time dedicated to planning for and executing Jarvis St. Environmental Assessment Study; the removal of the 5th turning lane on Jarvis and the installation of the bike lane.
Tokens prepared for LDA: ['staff', 'dedicate', 'execute', 'jarvis', 'environmental', 'assessment', 'study', 'removal', 'jarvis', 'installation']
Original Request: A copy of building file for {an addess}, file # 08-207645 BLD, PLB.
Tokens prepared for LDA: ['build', 'add', '207645']
Original Request: A copy of fire code violation inspection report for {an address}. The inspection was done on Aug. 1, 2012.
Tokens prepared for LDA: ['violation', 'inspection', 'report', 'address}.', 'inspection', 'august']
Original Request: A copy of fire report for the incident that occurred on April 3, 2012 at {an address}.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'april', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 20, 2012 around 4:00 p.m.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of all emails and correspondence between Scarborough Community Council and Councillor Cho regarding the renaming of McLevin Park from January 2008 to present.
Tokens prepared for LDA: ['email', 'correspondence', 'scarborough', 'community', 'council', 'councillor', 'regard', 'rename', 'mclevin', 'january', 'present']
Original Request: A copy of all records from Animal Services regarding the finding of or disposing of remains of any Yellow Labrador or Golden Retriever between February 17, 2012 and present.
Tokens prepared for LDA: ['record', 'animal', 'services', 'regard', 'dispose', 'remain', 'yellow', 'labrador', 'golden', 'retriever', 'february', 'present']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 10, 2012. There were three alarms set off that morning. Also include any records showing who called 911 and when the monitoring station was called.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february', 'alarm', 'morning', 'include', 'record', 'monitor', 'station']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 30, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the Committee of Adjustment survey from file no. A-0723/11 TEY regarding {an address}.
Tokens prepared for LDA: ['committee', 'adjustment', 'survey', 'a-0723/11', 'regard', 'address}.']
Original Request: A copy of all MLS work orders and inspection reports for {an address}.
Tokens prepared for LDA: ['order', 'inspection', 'report', 'address}.']
Original Request: A copy of records related to {a business} and/or {an individual} and/or {an organization) including zoning or patio applications, bylaw infractions and food safety/restaurant health inspections. Records for {an address}.
Tokens prepared for LDA: ['record', 'relate', 'business', 'and/or', 'individual', 'and/or', 'organization', 'include', 'patio', 'application', 'bylaw', 'infraction', 'safety', 'restaurant', 'health', 'inspection', 'record', 'address}.']
Original Request: A copy of investigation report relating to property standards violations for {an address}, basement. The folder number is 12 226 977 PRS 00IV.
Tokens prepared for LDA: ['investigation', 'report', 'relate', 'property', 'standard', 'violation', 'address', 'basement', 'folder']
Original Request: A copy of building permit # 147141 and any other records, permits reports or plans/surveys existing for {an address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', '147141', 'record', 'permit', 'report', 'survey', 'exist', 'address', 'toronto']
Original Request: All building documents for permits 93-088325 and 12-174061 for {3 addresses}, North York, as well as any other building permit files for the specified property (1 property). Please go as far back as possible.
Tokens prepared for LDA: ['build', 'document', 'permit', '088325', '174061', 'address', 'north', 'build', 'permit', 'specify', 'property', 'property', 'possible']
Original Request: All public health records for {an address}, Etobicoke from 2009 to 2010, including various visits by various health inspectors relating to mold issue.
Tokens prepared for LDA: ['public', 'health', 'record', 'address', 'etobicoke', 'include', 'various', 'visit', 'various', 'health', 'inspector', 'relate', 'issue']
Original Request: A copy of public health inspection report for {an address}, North York. The inspection was done in early June 2012 by Tamara Gordon.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'address', 'north', 'inspection', 'early', 'tamara', 'gordon']
Original Request: A copy of all records related to business license applications for {a business] and/or {an address}.
Tokens prepared for LDA: ['record', 'relate', 'business', 'license', 'application', 'business', 'and/or', 'address}.']
Original Request: A copy of investigation and complaint records relating to {an address} from October 8, 2009 to present. Specifically complaints and investigations by Urban Forestry, ML&S, 311, and Transportation.
Tokens prepared for LDA: ['investigation', 'complaint', 'record', 'relate', 'address', 'october', 'present', 'specifically', 'complaint', 'investigation', 'urban', 'forestry', 'transportation']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on July 22, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 23, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 14, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 26, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 9, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the consent given to {individual's name and address} to build a party garage wall. The records should be from approximately 6 years ago.
Tokens prepared for LDA: ['consent', 'individual', 'address', 'build', 'party', 'garage', 'record', 'approximately']
Original Request: A copy of the building inspection notes related to {an address}. File No. 00-338554.
Tokens prepared for LDA: ['build', 'inspection', 'relate', 'address}.', '338554']
Original Request: A copy of the animal service complaints and associated records relating to {an address}. Records from June 2012 to present.
Tokens prepared for LDA: ['animal', 'service', 'complaint', 'associate', 'record', 'relate', 'address}.', 'record', 'present']
Original Request: A copy of all contracts and funding agreements with Environmental Defence, Tides Canada, David Suzuki Foundation, Sierra Club since January 1, 2010.
Tokens prepared for LDA: ['contract', 'agreement', 'environmental', 'defence', 'tide', 'canada', 'david', 'suzuki', 'foundation', 'sierra', 'january']
Original Request: A copy of the report relating to the recovered vehicle at {an address}, Etobicoke. The tractor/ trailor unit was found on August 28, 2012 at or about 7:53 a.m. The report number is 2012306131.
Tokens prepared for LDA: ['report', 'relate', 'recover', 'vehicle', 'address', 'etobicoke', 'tractor/', 'trailor', 'august', 'report', '2012306131']
Original Request: A copy of records related to work being done at {an address}, including drain records (drain was snaked and repaired).
Tokens prepared for LDA: ['record', 'relate', 'address', 'include', 'drain', 'record', 'drain', 'snake', 'repair']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 13, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the building permit no. 2011-260391BLD00-SR for {an address}, including the building renovation application documents/plan and any reasons for permit refusal.
Tokens prepared for LDA: ['build', 'permit', '260391bld00-sr', 'address', 'include', 'build', 'renovation', 'application', 'document', 'reason', 'permit', 'refusal']
Original Request: A copy of all Parks, Forestry, and Recreation emails and documentation related to all alternatives considered regarding the renaming of McLevin Park and any reasons or rationale for choosing McLevin Park during the process of renaming McLevin Park.
Tokens prepared for LDA: ['parks', 'forestry', 'recreation', 'email', 'documentation', 'relate', 'alternative', 'consider', 'regard', 'rename', 'mclevin', 'reason', 'rationale', 'choose', 'mclevin', 'process', 'rename', 'mclevin']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 29, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of of plans illustrating where water and sewer lines are located at {an address} and records showing if the water and sewer pipes within this property also provide service to {an address}.
Tokens prepared for LDA: ['illustrate', 'water', 'sewer', 'locate', 'address', 'record', 'water', 'sewer', 'property', 'provide', 'service', 'address}.']
Original Request: A copy of the notice of violation issued to {an address} on August 17, 2012 and a records showing the amount of the fine issued to {an address} during a court case on July 31, 2012.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'address', 'august', 'record', 'issue', 'address', 'court']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 24, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of a record showing the date of death for {an individual}. He was buried by the City of Toronto in 2008.
Tokens prepared for LDA: ['record', 'death', 'individual}.', 'toronto']
Original Request: A complete copy of all records including incident reports, complaint records, logs or letters received relating to the dog residing at {an address} Toronto from August 6, 2008 to present.
Tokens prepared for LDA: ['complete', 'record', 'include', 'incident', 'report', 'complaint', 'record', 'letter', 'receive', 'relate', 'reside', 'address', 'toronto', 'august', 'present']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 23, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 23, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 9, 2007.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the forestry report regarding a tree located at {an address}. This report was prepared for Granite Claims around September 2011.
Tokens prepared for LDA: ['forestry', 'report', 'regard', 'locate', 'address}.', 'report', 'prepare', 'granite', 'claim', 'september']
Original Request: A copy of all building permits and inspections for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'address}.']
Original Request: A copy of all building records for {an address} including permits, applications (issued or denied), plans, zoning applications, committee of adjustment decisions, orders, and complaints.
Tokens prepared for LDA: ['build', 'record', 'address', 'include', 'permit', 'application', 'issue', 'application', 'committee', 'adjustment', 'decision', 'order', 'complaint']
Original Request: A copy of all documents relating to complaints made to Public Health about City Park Co-operative Apartments Inc.
Tokens prepared for LDA: ['document', 'relate', 'complaint', 'public', 'health', 'operative', 'apartment']
Original Request: A copy of the access request application for #2011-01766 and the City's response. The request was relating to a contract with Humber Treatment Plant.
Tokens prepared for LDA: ['access', 'request', 'application', '01766', 'response', 'request', 'relate', 'contract', 'humber', 'treatment', 'plant']
Original Request: A copy of all resident correspondence with Toronto Parking Authority regarding Car Park 91 as well as any council decisions and Toronto Parking Authority corporate decisions regarding Car Park 91 since 1965.
Tokens prepared for LDA: ['resident', 'correspondence', 'toronto', 'parking', 'authority', 'regard', 'council', 'decision', 'toronto', 'parking', 'authority', 'corporate', 'decision', 'regard']
Original Request: A copy of all correspondence, notes and complaint records for {an individual}, including correspondence between the complainant and inspectors. Building and ML&Srecords from October 2011 to present.
Tokens prepared for LDA: ['correspondence', 'complaint', 'record', 'individual', 'include', 'correspondence', 'complainant', 'inspector', 'building', 'ml&srecords', 'october', 'present']
Original Request: A copy of the fire inspection reports regarding the store door at {an individual}. The reports occurred because of complaints made in October 2011.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'store', 'individual}.', 'report', 'occur', 'complaint', 'october']
Original Request: A copy of the by-law inspection report for {an address}.
Tokens prepared for LDA: ['inspection', 'report', 'address}.']
Original Request: A copy of the garage inspection report from {an address}.
Tokens prepared for LDA: ['garage', 'inspection', 'report', 'address}.']
Original Request: A copy of all records relating to construction at {an address}, including records regarding the wall that collapsed on May 13, 2011, records regarding the closure of the site on November 26, 2011 and permits documents.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'address', 'include', 'record', 'regard', 'collapse', 'record', 'regard', 'closure', 'november', 'permit', 'document']
Original Request: A copy of statistics from Animal Services relating to the number of dogs, cats, and wildlife animals admitted, adopted and euthanized in 2010 and 2011.
Tokens prepared for LDA: ['statistic', 'animal', 'services', 'relate', 'wildlife', 'animal', 'admit', 'adopt', 'euthanize']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 26, 2011. Fire Report No. F11163633.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'report', 'f11163633']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 4, 2011 in the garage at 10:50 p.m.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'garage', '10:50']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 11, 2011 at the Home Depot.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'depot']
Original Request: A copy of all building permits and records of building inspections for {24 addresses}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'build', 'inspection', 'addresses}.']
Original Request: A copy of all building documents for {an address}, including file no. 00-136804 and 00-328-239-01.
Tokens prepared for LDA: ['build', 'document', 'address', 'include', '136804']
Original Request: A copy of all by-law infractions for {an address}, including all dispatched and non-dispatched called to 311 regarding this address.
Tokens prepared for LDA: ['infraction', 'address', 'include', 'dispatch', 'dispatch', 'regard', 'address']
Original Request: A copy of the fire report for {three addresses}. The incident occurred on May 5, 2011.
Tokens prepared for LDA: ['report', 'addresses}.', 'incident', 'occur']
Original Request: A copy of all documents relating to ML&S inspections completed at {an address}.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'complete', 'address}.']
Original Request: A copy of all building permits for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'address}.']
Original Request: A copy of the building permit for {an address} dated May 29, 1925. Building Permit No. 88363.
Tokens prepared for LDA: ['build', 'permit', 'address', 'building', 'permit', '88363']
Original Request: A copy of all building permits on file prior to 1970 regarding {an address}, or any relevant documentation stating that this property is a legal 8-plex property.
Tokens prepared for LDA: ['build', 'permit', 'prior', 'regard', 'address', 'relevant', 'documentation', 'state', 'property', 'legal', '8-plex', 'property']
Original Request: A copy of the fire report for {an address}. The incident occurred on October 31, 2009. Fire Report No. F09122689.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'october', 'report', 'f09122689']
Original Request: A copy of any video footage of the Southbound Don Valley Parkway, south of Eglinton Avenue from October 9, 2008 at 3:30 a.m.
Tokens prepared for LDA: ['video', 'footage', 'southbound', 'valley', 'parkway', 'south', 'eglinton', 'avenue', 'october']
Original Request: A copy of the video footage of Eglinton Avenue East and Birchmount Road from November 14, 2011 at 4:55 p.m.
Tokens prepared for LDA: ['video', 'footage', 'eglinton', 'avenue', 'birchmount', 'november']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 23, 2011 at 17:05. Fire Report No. F11084055.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', '17:05', 'report', 'f11084055']
Original Request: A copy of the most recent annual average and the last four quarterly average laboratory test results for the drinking water coming from the filtration plant(s) that serves {an address} and {an address}.
Tokens prepared for LDA: ['recent', 'annual', 'average', 'quarterly', 'average', 'laboratory', 'result', 'drink', 'water', 'filtration', 'plant(s', 'serve', 'address', 'address}.']
Original Request: A copy of the report and investigation file regarding the dog bite incident near {an address} on October 31, 2011.
Tokens prepared for LDA: ['report', 'investigation', 'regard', 'incident', 'address', 'october']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 1, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the building files for {an address}, including file no.'s: 1994 014786 BLD HH 359 398 and 1994 016238 BLD 00 HH 360 850.
Tokens prepared for LDA: ['build', 'address', 'include', '014786', '016238']
Original Request: A copy of the parking infraction information regarding the parking infraction no. AT 502546. The infraction occurred on September 17, 2010.
Tokens prepared for LDA: ['infraction', 'information', 'regard', 'infraction', '502546', 'infraction', 'occur', 'september']
Original Request: A copy of all building permits, minor variances and committee of adjustment decisions for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'minor', 'variance', 'committee', 'adjustment', 'decision', 'address}.']
Original Request: A copy of all annual employment compensation for {an employee} while she was employed with the City of North York. She began employment around 1984.
Tokens prepared for LDA: ['annual', 'employment', 'compensation', 'employee', 'employ', 'north', 'begin', 'employment']
Original Request: A copy of records regarding the main sewer back up near Trestleside Grove on May 7, 2010. Specifically if other properties reported flooding on May 7th from {Lynvalley Crescent} or {Trestle Grove} and when the city was first notified of the issue.
Tokens prepared for LDA: ['record', 'regard', 'sewer', 'trestleside', 'grove', 'specifically', 'property', 'report', 'flood', 'lynvalley', 'crescent', 'trestle', 'grove', 'notify', 'issue']
Original Request: A copy of all records relating to the inspection that occurred at {an address} on October 20, 2011.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'occur', 'address', 'october']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 17, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 17, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 16, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 30, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 30, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 17, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on November 10, 2011.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for the motor vehicle accident at HWY 401 approaching Port Union Road. The incident occurred on July 1, 2010 at approx. 4:00 a.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'approach', 'union', 'incident', 'occur', 'approx']
Original Request: A copy of the zoning review/PPR records relating to {an address}, including the results, notice, and application. Zoning review #09 163 143.
Tokens prepared for LDA: ['review', 'record', 'relate', 'address', 'include', 'result', 'notice', 'application', 'zoning', 'review']
Original Request: A copy of the building permits and related correspondence for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'correspondence', 'address}.']
Original Request: A copy of the Public Health report for mould at {an address}. The inspection occurred on November 29, 2011 at 2:00 p.m. Also include any additional notes or documents related to the inspection.
Tokens prepared for LDA: ['public', 'health', 'report', 'mould', 'address}.', 'inspection', 'occur', 'november', 'include', 'additional', 'document', 'relate', 'inspection']
Original Request: A copy of all documents related to the fire that occurred at {an address}, Scarborough. The incident occurred on February 15, 2006.
Tokens prepared for LDA: ['document', 'relate', 'occur', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of all documents related to the fire at {an address}. The incident occurred on July 20, 2008.
Tokens prepared for LDA: ['document', 'relate', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred adjacent to the property on November 10, 2011.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'adjacent', 'property', 'november']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 14, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 31, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the reports related to the dog bite incident at {an address}. The incident occurred on September 3, 2010 around 3:30 p.m.
Tokens prepared for LDA: ['report', 'relate', 'incident', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire safety inspection report for {an address}, Scarborough, including the results and/or orders issued to landlord and expected completion dates. Also all building permits issued between August 2011 and January 2012.
Tokens prepared for LDA: ['safety', 'inspection', 'report', 'address', 'scarborough', 'include', 'result', 'and/or', 'order', 'issue', 'landlord', 'expect', 'completion', 'build', 'permit', 'issue', 'august', 'january']
Original Request: A copy of the PFR documents pertaining to tree examinations and tree removals for {an address}, including the arborist report.
Tokens prepared for LDA: ['document', 'pertain', 'examination', 'removal', 'address', 'include', 'arborist', 'report']
Original Request: A copy of the permit applicant's name and address for all active permit files for {an address} and the date of each permit.
Tokens prepared for LDA: ['permit', 'applicant', 'address', 'active', 'permit', 'address', 'permit']
Original Request: A copy of the building permit records regarding {an address} from November 14, 2003 to present.
Tokens prepared for LDA: ['build', 'permit', 'record', 'regard', 'address', 'november', 'present']
Original Request: A copy of a public garage license issued at {an address}, including the application date, the issue date and the expiry date.
Tokens prepared for LDA: ['public', 'garage', 'license', 'issue', 'address', 'include', 'application', 'issue', 'expiry']
Original Request: A copy of any correspondence on file regarding the inspections during construction for {an address}, including any HVAC and construction correspondence.
Tokens prepared for LDA: ['correspondence', 'regard', 'inspection', 'construction', 'address', 'include', 'construction', 'correspondence']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 28, 2011. Fire Report No. F11164255.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'report', 'f11164255']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 9, 2011. Fire Report No. F11156614.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'report', 'f11156614']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred November 28, 2011.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 8, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 11, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the permitted use letter for the sale of propane exchange for {an address}, North York.
Tokens prepared for LDA: ['permit', 'letter', 'propane', 'exchange', 'address', 'north']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 7, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of all records relating to the Public Health inspection at {an address}, between June and August 2008.
Tokens prepared for LDA: ['record', 'relate', 'public', 'health', 'inspection', 'address', 'august']
Original Request: A copy of all building permits and records of work conducted by the City for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'conduct', 'address}.']
Original Request: A copy of the RESCU camera recordings/photos from Bay Street and Lakeshore on January 11, 2012, between 22:40 and 23:00.
Tokens prepared for LDA: ['rescu', 'camera', 'recording', 'photo', 'street', 'lakeshore', 'january', '22:40', '23:00']
Original Request: A copy of the results from the Public Health investigation regarding the illness/outbreak that staff of Elte Carpets had suffered after a holiday party held at the Eglinton Grand on November 25, 2011.
Tokens prepared for LDA: ['result', 'public', 'health', 'investigation', 'regard', 'illness', 'outbreak', 'staff', 'carpet', 'suffer', 'holiday', 'party', 'eglinton', 'grand', 'november']
Original Request: A copy of all engineering studies regarding the storm sewer and sewer systems located at Bowes Garden Court, specifically dealing with the side of the Court south of Mildock Drive. Also any and all documents regarding the sewers with this street.
Tokens prepared for LDA: ['engineer', 'study', 'regard', 'storm', 'sewer', 'sewer', 'locate', 'bow', 'garden', 'court', 'specifically', 'court', 'south', 'mildock', 'drive', 'document', 'regard', 'sewer', 'street']
Original Request: A copy of information regarding the last fire inspection of {an address} prior to April 3, 2010, details of the general contractor who was undertaking renovations in April, 2010, and any fire investigation documents from the April 3, 2010 fire.
Tokens prepared for LDA: ['information', 'regard', 'inspection', 'address', 'prior', 'april', 'general', 'contractor', 'undertake', 'renovation', 'april', 'investigation', 'document', 'april']
Original Request: A copy of all documents from Fire Services pertaining to {an address}, including applications, permits, inspections, notes, reports, diagrams, etc.
Tokens prepared for LDA: ['document', 'services', 'pertain', 'address', 'include', 'application', 'permit', 'inspection', 'report', 'diagram']
Original Request: An electronic list showing the numbers and percentages of pupils at all Toronto schools who have received the vaccinations required by law.
Tokens prepared for LDA: ['electronic', 'number', 'percentage', 'pupil', 'toronto', 'school', 'receive', 'vaccination', 'require']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 20, 2011. Fire Report No. F11161005.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'report', 'f11161005']
Original Request: An electronic document showing the location, seriousness and other details of all reported collisions involving (1) motor vehicles and (2) motorcycles for the last 10 complete years available.
Tokens prepared for LDA: ['electronic', 'document', 'location', 'seriousness', 'report', 'collision', 'involve', 'motor', 'vehicle', 'motorcycle', 'complete', 'available']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 6, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for Ossington subway station. The incident occurred on February 4, 2010.
Tokens prepared for LDA: ['report', 'ossington', 'subway', 'station', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 14, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 7, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 9, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the work order issued to Greenwin to replace the bath tub and change the medicine cabinet.
Tokens prepared for LDA: ['order', 'issue', 'greenwin', 'replace', 'change', 'medicine', 'cabinet']
Original Request: A copy of the PFR documents regarding {an address}, including the arborist reports, inspections, calls for service, hand written reports, and stumping reports from 2006 to 2011.
Tokens prepared for LDA: ['document', 'regard', 'address', 'include', 'arborist', 'report', 'inspection', 'service', 'write', 'report', 'stump', 'report']
Original Request: A copy of the Local 416 Seniority List that shows employee name, seniority date, base clasification, division & section as to the collective agreement 2009-2011. Seniority lists that reflect Jan., March, May, July, Sept., Nov., 2011 and Jan. 2012.
Tokens prepared for LDA: ['local', 'seniority', 'employee', 'seniority', 'clasification', 'division', 'section', 'collective', 'agreement', 'seniority', 'reflect', 'january', 'march', 'september', 'november', 'january']
Original Request: A copy of all information related to the storm sewer that was struck during drilling on Via Cassia Drive. The incident occurred on December 9, 2011. Include names of all emergency crew on site, what was discussed, when the sewer was flushed, ect.
Tokens prepared for LDA: ['information', 'relate', 'storm', 'sewer', 'strike', 'drill', 'cassia', 'drive', 'incident', 'occur', 'december', 'include', 'emergency', 'discus', 'sewer', 'flush']
Original Request: A copy of all documents related to AFI International Group Inc (formerly known as AccuFax Investigations) and ISB Canada from January 2010 to present. Records including any contracts, responses to FRP's. REOI's, RFQ's, emails, invoices, future contracts.
Tokens prepared for LDA: ['document', 'relate', 'international', 'group', 'accufax', 'investigation', 'canada', 'january', 'present', 'record', 'include', 'contract', 'response', 'email', 'invoice', 'future', 'contract']
Original Request: A copy of all records regarding any dealings between the City and staffing temporary Patriot Source 1 (or PS1) located in Milton, including contracts, responses to City RRFO, RFQ, REOI, emails, invoices, city locations where PS1 is present, etc.
Tokens prepared for LDA: ['record', 'regard', 'dealings', 'staff', 'temporary', 'patriot', 'source', 'locate', 'milton', 'include', 'contract', 'response', 'email', 'invoice', 'location', 'present']
Original Request: A copy of the aggregate data from the Shelter Managment Information System for a total of all admissions and the number admitted 50 years and older in all shelters for 2011.
Tokens prepared for LDA: ['aggregate', 'datum', 'shelter', 'managment', 'information', 'total', 'admission', 'admit', 'shelter']
Original Request: A copy of the bed bug report for {an address}.
Tokens prepared for LDA: ['report', 'address}.']
Original Request: A copy of documents related to the TB SUB 2001 0001 Toryork Drive & Milvan Drive including stormwater/sewer applications, reports and records.
Tokens prepared for LDA: ['document', 'relate', 'toryork', 'drive', 'milvan', 'drive', 'include', 'stormwater', 'sewer', 'application', 'report', 'record']
Original Request: A copy of the inspection report and notes regarding a grow-op at {an address}. File No. PRS IR Folder 2008 220628.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'address}.', 'folder', '220628']
Original Request: A copy of the ML&S file for {an address}, Scarborough. The folder no. 11 178616 WST 00 IV.
Tokens prepared for LDA: ['address', 'scarborough', 'folder', '178616']
Original Request: A list of Fire Service responses to complaints about outdoor bake oven use at {an address} from 2005 to present. The list should include the date of Fire response and the cost of each visit.
Tokens prepared for LDA: ['service', 'response', 'complaint', 'outdoor', 'address', 'present', 'include', 'response', 'visit']
Original Request: A copy of the inspection reports for {an address}, including the building application, zoning confirmation, and HVAC, plumbing, and electric reports.
Tokens prepared for LDA: ['inspection', 'report', 'address', 'include', 'build', 'application', 'confirmation', 'plumb', 'electric', 'report']
Original Request: A copy of all sewer maintenance records for {an addresst} from June 2006 to present.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'addresst', 'present']
Original Request: A copy of the ML&S inspection report no. B01659 regarding {an address}. The inspection was completed in 2010.
Tokens prepared for LDA: ['inspection', 'report', 'b01659', 'regard', 'address}.', 'inspection', 'complete']
Original Request: A copy of all records and communications with Building, Planning, Urban Design, and Committee of Adjustments regarding {an address} from October 2010 to present.
Tokens prepared for LDA: ['record', 'communication', 'building', 'planning', 'urban', 'design', 'committee', 'adjustment', 'regard', 'address', 'october', 'present']
Original Request: A copy of the directory for Ontario Works client case files, including client interview sheets, initial applications, proof of citizenship, and employment change and station statements for current and archival client files.
Tokens prepared for LDA: ['directory', 'ontario', 'works', 'client', 'include', 'client', 'interview', 'sheet', 'initial', 'application', 'proof', 'citizenship', 'employment', 'change', 'station', 'statement', 'current', 'archival', 'client']
Original Request: A copy of the permit records and utility records (water, sewage, and garbage) for an {address}.
Tokens prepared for LDA: ['permit', 'record', 'utility', 'record', 'water', 'sewage', 'garbage', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 1, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 21, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on September 18, 2011.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on January 1, 2012.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 4, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 11, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on December 22, 2011. Fire report No. F11161939.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'december', 'report', 'f11161939']
Original Request: A copy of the fire report for {an address}. The incident occurred on October 1, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 18, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 8, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the following building files regarding {an address}: 217076, 217428, and 218711.
Tokens prepared for LDA: ['follow', 'build', 'regard', 'address', '217076', '217428', '218711']
Original Request: A copy of the engineer reports, inspection reports, inspection notes, original renovation permit details and permit no. 11-103045 for {an address}.
Tokens prepared for LDA: ['engineer', 'report', 'inspection', 'report', 'inspection', 'original', 'renovation', 'permit', 'permit', '103045', 'address}.']
Original Request: A copy of all invoices, bills or payment certificates issued by Comer Group Ltd and the City relating to contract no. 09EY-21WS in connection with the reports of extra work completed on Roncesvalles Avenue. Also water main break records.
Tokens prepared for LDA: ['invoice', 'payment', 'certificate', 'issue', 'comer', 'group', 'relate', 'contract', '09ey-21ws', 'connection', 'report', 'extra', 'complete', 'roncesvalles', 'avenue', 'water', 'break', 'record']
Original Request: A copy of the building permit no. 10281497 and the building inspector clearance letter dated Jan. 26, 2012 regarding {an address}.
Tokens prepared for LDA: ['build', 'permit', '10281497', 'build', 'inspector', 'clearance', 'letter', 'january', 'regard', 'address}.']
Original Request: A copy of the tax bills for {an address} for the following years: 1977, 1986, 1999, and 2005.
Tokens prepared for LDA: ['address', 'follow']
Original Request: A copy of the documents provided to the city with respect to a permit that was obtained in the fall of 2011 to remove a tree on {an address}, East York, including any inspection reports and permit applications.
Tokens prepared for LDA: ['document', 'provide', 'respect', 'permit', 'obtain', 'remove', 'address', 'include', 'inspection', 'report', 'permit', 'application']
Original Request: A copy of the document stating that {an address} meets the safety standard codes for the wood burning stove. The fire inspection report no. 11046784.
Tokens prepared for LDA: ['document', 'state', 'address', 'safety', 'standard', 'stave', 'inspection', 'report', '11046784']
Original Request: A copy of any records regarding the dog attack near {an address}, Scarborough. The incident occurred on December 5, 2011.
Tokens prepared for LDA: ['record', 'regard', 'attack', 'address', 'scarborough', 'incident', 'occur', 'december']
Original Request: A copy of all work permits, values and diagrams from 2005 onwards regarding {an address}, North York.
Tokens prepared for LDA: ['permit', 'value', 'diagram', 'onward', 'regard', 'address', 'north']
Original Request: A copy of the building inspector notes and records of the renovation at {an address} between October 2007 and December 2008.
Tokens prepared for LDA: ['build', 'inspector', 'record', 'renovation', 'address', 'october', 'december']
Original Request: A copy of records showing the number of zoo passes issued from May 2011 to January 2012 and information on discussions with Parks Canada on the process to establish Rouge National Urban Park.
Tokens prepared for LDA: ['record', 'issue', 'january', 'information', 'discussion', 'parks', 'canada', 'process', 'establish', 'rouge', 'national', 'urban']
Original Request: A copy of all documents relating to {an address}, specifically all documents relating to signage and permits.
Tokens prepared for LDA: ['document', 'relate', 'address', 'specifically', 'document', 'relate', 'signage', 'permit']
Original Request: A copy of all ML&S records regarding {an address}.
Tokens prepared for LDA: ['record', 'regard', 'address}.']
Original Request: A copy of records relating to the tree cutting at {an address} in June 2011.
Tokens prepared for LDA: ['record', 'relate', 'address']
Original Request: A copy of all receipts, payments, permits, inspection records and other records that were required in order for renovation to be completed at {an address}. Payment records should be from February 1 to December 1, 2011.
Tokens prepared for LDA: ['receipt', 'payment', 'permit', 'inspection', 'record', 'record', 'require', 'order', 'renovation', 'complete', 'address}.', 'payment', 'record', 'february', 'december']
Original Request: A copy of all fire reports for {an address} between 2005 and 2012.
Tokens prepared for LDA: ['report', 'address']
Original Request: A copy of any building documents for {an address} from 1995 to present.
Tokens prepared for LDA: ['build', 'document', 'address', 'present']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 15, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 12, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on January 22, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the Public Health report regarding water issues at {an address} including any conversation reports.
Tokens prepared for LDA: ['public', 'health', 'report', 'regard', 'water', 'issue', 'address', 'include', 'conversation', 'report']
Original Request: A copy of the fire safety inspection report pertaining to {an address}.
Tokens prepared for LDA: ['safety', 'inspection', 'report', 'pertain', 'address}.']
Original Request: A list that details the name of any and all electronic databases or datasets operated by any of the city divisions. The list should include a summary explaining what kind of information each database contains as well as file format.
Tokens prepared for LDA: ['electronic', 'database', 'dataset', 'operate', 'division', 'include', 'summary', 'explain', 'information', 'database', 'contain', 'format']
Original Request: A copy of the accident report for a skating collision at Hodgson Public School rink on January 5, 2012. The incident occurred around 4:30 p.m. and {an individual} was taken to Sunnybrook Hospital by ambulance.
Tokens prepared for LDA: ['accident', 'report', 'skate', 'collision', 'hodgson', 'public', 'school', 'january', 'incident', 'occur', 'individual', 'sunnybrook', 'hospital', 'ambulance']
Original Request: A copy of all records relating to the Government Management Committee Item 31.19 Healthy Vending Criteria, specifically records relating to the Council's request to PFR to ensure an abundant supply of drinking water be available in arenas and centres.
Tokens prepared for LDA: ['record', 'relate', 'government', 'management', 'committee', '31.19', 'healthy', 'vending', 'criterion', 'specifically', 'record', 'relate', 'council', 'request', 'ensure', 'abundant', 'supply', 'drink', 'water', 'available', 'arena', 'centre']
Original Request: A copy of the geotechnical report or soil condition report for {an address} dated in the 1950's.
Tokens prepared for LDA: ['geotechnical', 'report', 'condition', 'report', 'address']
Original Request: A copy of the inspection reports for {two addresses}. The inspection at {an address} was for a leaking eaves approx.10 years ago and the inspection at {an address} was for garbage approx. 5 years ago.
Tokens prepared for LDA: ['inspection', 'report', 'addresses}.', 'inspection', 'address', 'approx.10', 'inspection', 'address', 'garbage', 'approx']
Original Request: A copy of any records regarding the sewer back up at {an address} around September 13, 2011, including insoections, maintenance and service records from 1980 to present.
Tokens prepared for LDA: ['record', 'regard', 'sewer', 'address', 'september', 'include', 'insoections', 'maintenance', 'service', 'record', 'present']
Original Request: A copy of report filed by C.F.I.A. regarding an incident that was reported on October 28, 2011 to the C.F.I.A. and Public Health. The incident was with respect to food sold at {an address}. File No. 12044.
Tokens prepared for LDA: ['report', 'c.f.i.a.', 'regard', 'incident', 'report', 'october', 'c.f.i.a.', 'public', 'health', 'incident', 'respect', 'address}.', '12044']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on January 19, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of all financial records relating to Mayor Ford and Councillor Ford's Cut the Waist Challenge, including invoices and receipts for the printing of banners and posters, domain hosting and web design and graphics used on the weekly weigh-in scale.
Tokens prepared for LDA: ['financial', 'record', 'relate', 'mayor', 'councillor', 'waist', 'challenge', 'include', 'invoice', 'receipt', 'print', 'banner', 'poster', 'domain', 'design', 'graphic', 'weekly', 'weigh', 'scale']
Original Request: A copy of the Public Health report regarding an incident at The Eglinton Grand/Eglinton Event. The incident occurred on November 25, 2011.
Tokens prepared for LDA: ['public', 'health', 'report', 'regard', 'incident', 'eglinton', 'grand', 'eglinton', 'event', 'incident', 'occur', 'november']
Original Request: A copy of the building records for {an address}, including file no.'s 44216 and 223043.
Tokens prepared for LDA: ['build', 'record', 'address', 'include', '44216', '223043']
Original Request: A copy of the building permit with respect to an extension of the house at {an address}.
Tokens prepared for LDA: ['build', 'permit', 'respect', 'extension', 'house', 'address}.']
Original Request: A copy of the fire report for a motor vehicle incident on Ennerdale Road near Rochdale Avenue. The incident occurred on May 2, 2010 at 11:15 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'incident', 'ennerdale', 'rochdale', 'avenue', 'incident', 'occur', '11:15']
Original Request: A copy of the fire report for {an address}. The incident occurred on September 18, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 23, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 17, 2012. Fire Report No. F12006411.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january', 'report', 'f12006411']
Original Request: A copy of the legal opinion by the City Solicitor regarding the lease of the Boardwalk Cafe at 1681 Lakeshore Blvd. East. The tenant is Tuggs Restaurant.
Tokens prepared for LDA: ['legal', 'opinion', 'solicitor', 'regard', 'lease', 'boardwalk', 'lakeshore', 'tenant', 'tuggs', 'restaurant']
Original Request: A copy of the fire prevention report for {an address}.
Tokens prepared for LDA: ['prevention', 'report', 'address}.']
Original Request: A copy of the Public Health inspection reports for a hot dog cart from 1999 to 2006.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report']
Original Request: A copy of the building inspection notes from November 2011 onward for {an address} and the administrative party hall permit for {338 Carlton Street}, including zoning records and permits.
Tokens prepared for LDA: ['build', 'inspection', 'november', 'onward', 'address', 'administrative', 'party', 'permit', 'carlton', 'street', 'include', 'record', 'permit']
Original Request: A copy of documents from Toronto Fire Service Communications and Operational Division and the Fire Prevention Office regarding orders, expectations, guidelines, studies, procedures, memos regarding sick time, complaints, reports, and investigations.
Tokens prepared for LDA: ['document', 'toronto', 'service', 'communications', 'operational', 'division', 'prevention', 'office', 'regard', 'order', 'expectation', 'guideline', 'study', 'procedure', 'regard', 'complaint', 'report', 'investigation']
Original Request: A copy of documents showing who completed work at The Queensway and The West Mall on or about July 12, 2010, including any documents outlining liability, notes from the damage, engineering documents, records regarding liability or insurance certificates.
Tokens prepared for LDA: ['document', 'complete', 'queensway', 'include', 'document', 'outline', 'liability', 'damage', 'engineer', 'document', 'record', 'regard', 'liability', 'insurance', 'certificate']
Original Request: A copy of health inspection report for {an address}. The inspection was done in November 2011 relating to mold problem.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'address}.', 'inspection', 'november', 'relate', 'problem']
Original Request: A copy of building file for {an address}. The permit numbers are 77279, 10272 and 351434.
Tokens prepared for LDA: ['build', 'address}.', 'permit', 'number', '77279', '10272', '351434']
Original Request: A copy of the noise assessment that was submitted to the CIty for Bloke & 4th located at {an address}. The noise assessment should have been submittted with the application for the entertainment license.
Tokens prepared for LDA: ['noise', 'assessment', 'submit', 'bloke', 'locate', 'address}.', 'noise', 'assessment', 'submittted', 'application', 'entertainment', 'license']
Original Request: A copy of the annual Tobacco Control Manager Report, located within the Tobacco Inspection System under the SFAO from 2001 to present. Records to include data for all SFAO inspection activities.
Tokens prepared for LDA: ['annual', 'tobacco', 'control', 'manager', 'report', 'locate', 'tobacco', 'inspection', 'present', 'record', 'include', 'datum', 'inspection', 'activity']
Original Request: A copy of the building permit for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'address}.']
Original Request: A copy of the records relating to the storm drain issues at {an address}. The overloading of the storm drain resulted in a flood on August 9, 21 and September 5, 2011.
Tokens prepared for LDA: ['record', 'relate', 'storm', 'drain', 'issue', 'address}.', 'overload', 'storm', 'drain', 'result', 'flood', 'august', 'september']
Original Request: A copy of the fire report for {an address}, including any documents showing the cause of fire.
Tokens prepared for LDA: ['report', 'address', 'include', 'document', 'cause']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 30, 2012. Fire Report No. F12011496.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january', 'report', 'f12011496']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 10, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report from December 17, 2011. Fire Report No. F11159741.
Tokens prepared for LDA: ['report', 'december', 'report', 'f11159741']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 21, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of any violations for {an address} for the past 15 years including any investigation and charges records. Property had been known to have grow op activities in the past.
Tokens prepared for LDA: ['violation', 'address', 'include', 'investigation', 'charge', 'record', 'property', 'activity']
Original Request: A copy of the building files and inspections for {an address} including file no. 09-163616 BLD PLB and 09-196881 BLD PCP, HVA.
Tokens prepared for LDA: ['build', 'inspection', 'address', 'include', '163616', '196881']
Original Request: A copy of the records pertaining to heat issues at {an address} on January 25, 2010. The file no. 11-106330.
Tokens prepared for LDA: ['record', 'pertain', 'issue', 'address', 'january', '106330']
Original Request: A copy of the internet browsing history of Mayor Ford and Councillor Doug Ford, obtained from the server if possible, including all web programs (i.e. Internet Explorer, Google, Chrome, Mozilla Fire Fox, etc.) since January 1, 2010.
Tokens prepared for LDA: ['internet', 'browse', 'history', 'mayor', 'councillor', 'obtain', 'server', 'possible', 'include', 'program', 'internet', 'explorer', 'google', 'chrome', 'mozilla', 'january']
Original Request: A copy of all emails between {an address} and addresses with the domain "sunmedia.ca" from January 1, 2011 to November 29, 2011.
Tokens prepared for LDA: ['email', 'address', 'address', 'domain', 'sunmedia.ca', 'january', 'november']
Original Request: A list of the number of employees for each department and a breakdown of full-time, part-time, and seasonal staff. Also a breakdown of the number of injuries and types of injuries in each department and how long the individuals were off the job.
Tokens prepared for LDA: ['employee', 'department', 'breakdown', 'seasonal', 'staff', 'breakdown', 'injury', 'injury', 'department', 'individual']
Original Request: A copy of all meeting minutes and paper and electronic correspondence with respect to ML&S file no. 49194.
Tokens prepared for LDA: ['minute', 'paper', 'electronic', 'correspondence', 'respect', '49194']
Original Request: A copy of all meeting minutes and paper and electronic correspondence with respect to ML&S file no. 49194.
Tokens prepared for LDA: ['minute', 'paper', 'electronic', 'correspondence', 'respect', '49194']
Original Request: A copy of any maintenance or inspections records relating to the tree at {an address}.
Tokens prepared for LDA: ['maintenance', 'inspection', 'record', 'relate', 'address}.']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on March 16, 2010. Fire Report No. F10029061.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'march', 'report', 'f10029061']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 13, 2008.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of all records relating to water and sewer main repair at {an address} from January 2008 to present.
Tokens prepared for LDA: ['record', 'relate', 'water', 'sewer', 'repair', 'address', 'january', 'present']
Original Request: A copy of the Realty Tax payments from 2009 to 2012 for {an address} including penalties.
Tokens prepared for LDA: ['realty', 'payment', 'address', 'include', 'penalty']
Original Request: A copy of building permits, building history, zoning studies for {an address} and the site north of this property for the past 25 years.
Tokens prepared for LDA: ['build', 'permit', 'build', 'history', 'study', 'address', 'north', 'property']
Original Request: A copy of all building responses, violation records, orders to comply, work permits, demolition permits for {an address}, North York, from 2005 to present.
Tokens prepared for LDA: ['build', 'response', 'violation', 'record', 'order', 'comply', 'permit', 'demolition', 'permit', 'address', 'north', 'present']
Original Request: A copy of any documents relating to the complaint made about a canopy at {an address} in 2011, including the complaint record.
Tokens prepared for LDA: ['document', 'relate', 'complaint', 'canopy', 'address', 'include', 'complaint', 'record']
Original Request: A copy of the public health report for {an address} with respect to solvent fumes. File No. 101271.
Tokens prepared for LDA: ['public', 'health', 'report', 'address', 'respect', 'solvent', '101271']
Original Request: A copy of the Public Health inspection report regarding mould at {an address}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'regard', 'mould', 'address}.']
Original Request: A copy of all regular maintenance and repair cost records for each wading pool and splash pad in Toronto for the past 10 years. Also records showing which wading pools or splash pads were closed because of poor repair over the past 10 years.
Tokens prepared for LDA: ['regular', 'maintenance', 'repair', 'record', 'splash', 'toronto', 'record', 'splash', 'close', 'repair']
Original Request: A copy of any financial statements and applications for government assistance relating to the YMCA Daycare at Pinnacle International Centre {an address} which have been submitted to the City of Toronto.
Tokens prepared for LDA: ['financial', 'statement', 'application', 'government', 'assistance', 'relate', 'daycare', 'pinnacle', 'international', 'centre', 'address', 'submit', 'toronto']
Original Request: A copy of any enforcement records including inspections, violations, warnings, charges, and convictions for {an address} from January 2009 to present.
Tokens prepared for LDA: ['enforcement', 'record', 'include', 'inspection', 'violation', 'warning', 'charge', 'conviction', 'address', 'january', 'present']
Original Request: A copy of the building permit file dated 1963 for {an address} relating to fire damage.
Tokens prepared for LDA: ['build', 'permit', 'address', 'relate', 'damage']
Original Request: A copy of the fire reports for {an address}. The incidents occurred on May 19, 2011 and May 21, 2011. Fire Report No.'s F11055719 and F11056362.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'report', 'f11055719', 'f11056362']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 2, 2012. Fire Report No. F12000754.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january', 'report', 'f12000754']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 3, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on August 15, 2011.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'august']
Original Request: A copy of the 2011 ML&S inspection reports of {an address}.
Tokens prepared for LDA: ['inspection', 'report', 'address}.']
Original Request: A copy of the committee of adjustment decisions for {an address}.
Tokens prepared for LDA: ['committee', 'adjustment', 'decision', 'address}.']
Original Request: A copy of the building files for {an address}, including file no.'s 13172 (51) and 168732 (81).
Tokens prepared for LDA: ['build', 'address', 'include', '13172', '168732']
Original Request: A copy of records showing which addresses have legal front yard parking that is paid on an annual basis with respect to {two addresses}.
Tokens prepared for LDA: ['record', 'address', 'legal', 'annual', 'basis', 'respect', 'addresses}.']
Original Request: A copy of all building permits for {an address} since 1920.
Tokens prepared for LDA: ['build', 'permit', 'address']
Original Request: A copy of the traffic light information for 2 Queen Street West on Feb. 6, 2012. Reference No. 1357561.
Tokens prepared for LDA: ['traffic', 'light', 'information', 'queen', 'street', 'february', 'reference', '1357561']
Original Request: A copy of all building documents for {an address}, including permit no. 08 1123 11 BLD 00NB.
Tokens prepared for LDA: ['build', 'document', 'address', 'include', 'permit']
Original Request: A video copy of Agenda Item #1 regarding {an address} of the design review panel meeting that was held in Committee Room 2 at City Hall on January 23, 2012.
Tokens prepared for LDA: ['video', 'agenda', 'regard', 'address', 'design', 'review', 'panel', 'committee', 'january']
Original Request: A copy of documents relating to work completed at {an address}, including cctv camera inspections of the sewer main line, manhole, catch basin, and flushing of city main sewer line.
Tokens prepared for LDA: ['document', 'relate', 'complete', 'address', 'include', 'camera', 'inspection', 'sewer', 'manhole', 'catch', 'basin', 'flush', 'sewer']
Original Request: A copy of the Public Health field notes regarding the visit to {an address} and any phone or email correspondence thereafter. Records between January 2009 and January 2011.
Tokens prepared for LDA: ['public', 'health', 'field', 'regard', 'visit', 'address', 'phone', 'email', 'correspondence', 'record', 'january', 'january']
Original Request: A copy of building documents relating to {an address}, North York.
Tokens prepared for LDA: ['build', 'document', 'relate', 'address', 'north']
Original Request: A copy of all Committee of Adjustment decisions affecting {an address}.
Tokens prepared for LDA: ['committee', 'adjustment', 'decision', 'affect', 'address}.']
Original Request: A copy of the Committee of Adjustment lot severance documents for {an address}, including file no.'s B3/08EYK, A25/08EYK, and A24/08EYK.
Tokens prepared for LDA: ['committee', 'adjustment', 'severance', 'document', 'address', 'include', 'b3/08eyk', 'a25/08eyk', 'a24/08eyk']
Original Request: A copy of all documentation pertaining to the complaint made by {an individual} around 2008 regarding a wood-burning stove at {an address}. Also copies of any follow up records regarding this complaint.
Tokens prepared for LDA: ['documentation', 'pertain', 'complaint', 'individual', 'regard', 'stave', 'address}.', 'follow', 'record', 'regard', 'complaint']
Original Request: A copy of the "order to comply" documents regarding water being drained from {an address} to {an address}. These orders were sent to {an address} in December 2008 and January 2012.
Tokens prepared for LDA: ['order', 'comply', 'document', 'regard', 'water', 'drain', 'address', 'address}.', 'order', 'address', 'december', 'january']
Original Request: A copy of Centennial Ski Hill and Earl Bales Ski Hill financial records, including financial statements, operating expenses, balance sheet, personnel cost and any other related information.
Tokens prepared for LDA: ['centennial', 'bale', 'financial', 'record', 'include', 'financial', 'statement', 'operate', 'expense', 'balance', 'sheet', 'personnel', 'relate', 'information']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on January 17, 2012. Fire Report No.: F12006411.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'january', 'report', 'f12006411']
Original Request: A copy of the fire report for {an address}, Toronto. The incident occurred on February 19, 2012.
Tokens prepared for LDA: ['report', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of all building applications, plans for building permits and permits issued at {an address} since 2007.
Tokens prepared for LDA: ['build', 'application', 'build', 'permit', 'permit', 'issue', 'address']
Original Request: A copy of the fire report for {an address}. Fire Report No. F11095017.
Tokens prepared for LDA: ['report', 'address}.', 'report', 'f11095017']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 8, 2012. Fire Report No.: 12014754.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february', 'report', '12014754']
Original Request: A copy of the fire report for {an address}. There was a building explosion and vehicles in the parking lot were damaged.
Tokens prepared for LDA: ['report', 'address}.', 'build', 'explosion', 'vehicle', 'damage']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 5, 2010. Fire Report No.: F10014187.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february', 'report', 'f10014187']
Original Request: A copy of all invoices, receipts, and other financial records related to promotional material purchased by or on behalf of Mayor Rod Ford since December 1, 2010.
Tokens prepared for LDA: ['invoice', 'receipt', 'financial', 'record', 'relate', 'promotional', 'material', 'purchase', 'behalf', 'mayor', 'december']
Original Request: A copy of the economical assessment referenced in the attachment 2 of the Mimico By The Lake Implementation Action Memo (September 23, 2009).
Tokens prepared for LDA: ['economical', 'assessment', 'reference', 'attachment', 'mimico', 'implementation', 'action', 'september']
Original Request: A copy of the building records for {an address}, including file no's 02-124843, 124843 BLD, 124843 BLD, and 124843 BLD. This should include the application and outstanding permit file from 2002 and building inspections that have been completed.
Tokens prepared for LDA: ['build', 'record', 'address', 'include', '124843', '124843', '124843', '124843', 'include', 'application', 'outstanding', 'permit', 'build', 'inspection', 'complete']
Original Request: A copy of the letter sent to {an individual} by Frank Mielewczyk on or about January 30, 2012 regarding {an address}.
Tokens prepared for LDA: ['letter', 'individual', 'frank', 'mielewczyk', 'january', 'regard', 'address}.']
Original Request: A copy of the Food Safety Inspections, ML&S records and building records for {an address} for the past 5 years.
Tokens prepared for LDA: ['safety', 'inspection', 'record', 'build', 'record', 'address']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 6, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of all correspondence between {an individual} and/or {an individual} with the City of Toronto, including emails with building inspector, John Mignardi, regarding {an address}.
Tokens prepared for LDA: ['correspondence', 'individual', 'and/or', 'individual', 'toronto', 'include', 'email', 'build', 'inspector', 'mignardi', 'regard', 'address}.']
Original Request: A copy of any records of work being done or complaints filed regarding sewer and water systems in and around {an address}. Records from March 13 to March 14, 2011.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'sewer', 'water', 'address}.', 'record', 'march', 'march']
Original Request: A copy of the records pertaining to the finances of Riverdale Farm. Specifically, a detailed operating budget for at least the past three years including all operating costs including labour, maintenance, ect.
Tokens prepared for LDA: ['record', 'pertain', 'finance', 'riverdale', 'specifically', 'operate', 'budget', 'little', 'include', 'operate', 'include', 'labour', 'maintenance']
Original Request: A copy of the records and committee of adjustment decisions for {an address}.
Tokens prepared for LDA: ['record', 'committee', 'adjustment', 'decision', 'address}.']
Original Request: A copy of all building records relating to the demolition of {an address} including records relating to the tender and bids received, the contract documents including any issued change orders and the progression and completion of the project.
Tokens prepared for LDA: ['build', 'record', 'relate', 'demolition', 'address', 'include', 'record', 'relate', 'tender', 'receive', 'contract', 'document', 'include', 'issue', 'change', 'order', 'progression', 'completion', 'project']
Original Request: A copy of the document giving authority to {an individual} (signed by the owner of {an address} and the document from {an individual} requesting change of address in 2009 for {an address}.
Tokens prepared for LDA: ['document', 'authority', 'individual', 'owner', 'address', 'document', 'individual', 'request', 'change', 'address', 'address}.']
Original Request: A copy of the RESCU traffic camera #78 (north and south) at Lawrence Avenue and the DVP on February 13, 2012 between 10:25 a.m. and 10:35 a.m.
Tokens prepared for LDA: ['rescu', 'traffic', 'camera', 'north', 'south', 'lawrence', 'avenue', 'february', '10:25', '10:35']
Original Request: A copy of documents from fire services including agreements, WBS printouts, RFQ or RFP or other documentation defining deliverables required from Intergraph Canada for the BI Project, analysis of CAD reports or maintenance requests, etc.
Tokens prepared for LDA: ['document', 'service', 'include', 'agreement', 'printout', 'documentation', 'define', 'deliverable', 'require', 'intergraph', 'canada', 'project', 'analysis', 'report', 'maintenance', 'request']
Original Request: A copy of the fire report for the motor vehicle accident at Neilson Road and McLevin. The incident occurred on September 2, 2010 around 6:00 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'neilson', 'mclevin', 'incident', 'occur', 'september']
Original Request: A copy of records used as sources of information in the document entitled "Implementation Guidelines for Section 37 of the Planning Act and Protocol for Negotiating Section 37 Community Benefits" of the City Planning Division, Policy and Research Section.
Tokens prepared for LDA: ['record', 'source', 'information', 'document', 'entitle', 'implementation', 'guideline', 'section', 'planning', 'protocol', 'negotiate', 'section', 'community', 'benefit', 'planning', 'division', 'policy', 'research', 'section']
Original Request: A copy of all records of enforcement activities including inspections, violations, warnings, charges, and convictions for {an address} from 2009 to present.
Tokens prepared for LDA: ['record', 'enforcement', 'activity', 'include', 'inspection', 'violation', 'warning', 'charge', 'conviction', 'address', 'present']
Original Request: A copy of all records of enforcement activities including inspections, violations, warnings, charges, and convictions for {an address} from 2009 to present.
Tokens prepared for LDA: ['record', 'enforcement', 'activity', 'include', 'inspection', 'violation', 'warning', 'charge', 'conviction', 'address', 'present']
Original Request: A copy of all records of enforcement activities including inspections, violations, warnings, charges, and convictions for {an address} from 2009 to present.
Tokens prepared for LDA: ['record', 'enforcement', 'activity', 'include', 'inspection', 'violation', 'warning', 'charge', 'conviction', 'address', 'present']
Original Request: A copy of all records of enforcement activities including inspections, violations, warnings, charges, and convictions for {an address} from 2009 to present.
Tokens prepared for LDA: ['record', 'enforcement', 'activity', 'include', 'inspection', 'violation', 'warning', 'charge', 'conviction', 'address', 'present']
Original Request: A copy of the building inspection report and notes from the building inspector Karl Pfeiffer as they pertain to the January 10, 2011 inspection of {an address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'build', 'inspector', 'pfeiffer', 'pertain', 'january', 'inspection', 'address}.']
Original Request: A copy of the building file no.'s 01-193245-ZPR-00+01 and 04-145472ZPR 00, including the review reports on PPR for {an address}.
Tokens prepared for LDA: ['build', '193245-zpr-00', '145472zpr', 'include', 'review', 'report', 'address}.']
Original Request: A copy of all building records for {an address} from 1970 to present. Including any reference to party wall agreements. Also all minor variance applications from 1970s to present.
Tokens prepared for LDA: ['build', 'record', 'address', 'present', 'include', 'reference', 'party', 'agreement', 'minor', 'variance', 'application', '1970s', 'present']
Original Request: A copy of the fire report for {an address}, Toronto. The incident occurred on August 13, 2008. Fire Report No. F08091734.
Tokens prepared for LDA: ['report', 'address', 'toronto', 'incident', 'occur', 'august', 'report', 'f08091734']
Original Request: A copy of the fire report for the motor vehicle accident on Woodbine Avenue and Queen Street. The incident occurred on July 15, 2008.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'woodbine', 'avenue', 'queen', 'street', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 17, 2006. Fire Report No. F06028215.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march', 'report', 'f06028215']
Original Request: A list of all entities licensed to sell food and drink located at, operating at and/or affiliated with {an address}.
Tokens prepared for LDA: ['entity', 'license', 'drink', 'locate', 'operate', 'and/or', 'affiliate', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on January 14, 2012. Fire Report No. F12005182.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'january', 'report', 'f12005182']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 3, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for Yorkdale Shopping Centre. The incident occurred on October 21, 2011. Fire Report No. F1137580.
Tokens prepared for LDA: ['report', 'yorkdale', 'shopping', 'centre', 'incident', 'occur', 'october', 'report', 'f1137580']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on January 26, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of all building records (including any reference to party wall agreements) for {an address} from 1970 to present. Also, all minor variance applications from 1970s to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'reference', 'party', 'agreement', 'address', 'present', 'minor', 'variance', 'application', '1970s', 'present']
Original Request: A copy of the file no. A0331/05 TEY letter dated April 25, 2005 from {an individual} to {an individual} regarding the application for minor variance {four addresses}.
Tokens prepared for LDA: ['a0331/05', 'letter', 'april', 'individual', 'individual', 'regard', 'application', 'minor', 'variance', 'addresses}.']
Original Request: A copy of the files related to reference no.'s 1337555 and 12109238 regarding a contaminated water complaint made to 311.
Tokens prepared for LDA: ['relate', 'reference', '1337555', '12109238', 'regard', 'contaminate', 'water', 'complaint']
Original Request: A copy of all reports and appendices held by the City Manager's Office which were prepared for or by the city relating to the 2015 Pan American Games. All records prepared and/or received from September 1, 2011 to present.
Tokens prepared for LDA: ['report', 'appendix', 'manager', 'office', 'prepare', 'relate', 'american', 'game', 'record', 'prepare', 'and/or', 'receive', 'september', 'present']
Original Request: A copy of records held by the Deputy City Manager and CFO's Office including documents, memos, emails, letters, spreadsheets, reports, and powerpoint presentations regarding buyout packages for the Chief of Police and TTC head.
Tokens prepared for LDA: ['record', 'deputy', 'manager', 'office', 'include', 'document', 'email', 'letter', 'spreadsheet', 'report', 'powerpoint', 'presentation', 'regard', 'buyout', 'package', 'chief', 'police']
Original Request: A copy of the dog bite records for the incident that occurred on September 16, 2011 around {an address}. Including all witness statements, reports, field notes, photographs, videos, and any prior incidents involving the dog at {an address}.
Tokens prepared for LDA: ['record', 'incident', 'occur', 'september', 'address}.', 'include', 'witness', 'statement', 'report', 'field', 'photograph', 'video', 'prior', 'incident', 'involve', 'address}.']
Original Request: A copy of all Toronto Water records regarding {an address} including information contained in plan summaries, reports, surveys, and monitoring, inspection and sampling activities for the property. Also records pertaining to a dry cleaning business.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'regard', 'address', 'include', 'information', 'contain', 'summary', 'report', 'survey', 'monitor', 'inspection', 'sample', 'activity', 'property', 'record', 'pertain', 'spin-dry', 'clean', 'business']
Original Request: A copy of any records showing outstanding charges for weed cutting or hedge cutting at {an address}.
Tokens prepared for LDA: ['record', 'outstanding', 'charge', 'hedge', 'address}.']
Original Request: A copy of the fire report for {an address}, East York. The incident occurred on December 8, 2011.
Tokens prepared for LDA: ['report', 'address', 'incident', 'occur', 'december']
Original Request: A copy of the building permit file no.: 11-151866 BLD for {an address}, including all inspector notes, applications, reports, etc.
Tokens prepared for LDA: ['build', 'permit', '151866', 'address', 'include', 'inspector', 'application', 'report']
Original Request: A copy of the following fire reports: F06122966, F06059451, and F06061364.
Tokens prepared for LDA: ['follow', 'report', 'f06122966', 'f06059451', 'f06061364']
Original Request: A copy of the building inspection notes regarding building file no. 05-122917 Bld.
Tokens prepared for LDA: ['build', 'inspection', 'regard', 'build', '122917']
Original Request: A copy of all inspection records regarding the City owned tree at {an address} and all records of calls and correspondence from the public regarding the tree.
Tokens prepared for LDA: ['inspection', 'record', 'regard', 'address', 'record', 'correspondence', 'public', 'regard']
Original Request: A copy of the records relating to the sewer back up at {an address}. The back up incident occurred on April 30, 2011. Including the report on the cause of the incident and maintenance records leading up to the incident.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'address}.', 'incident', 'occur', 'april', 'include', 'report', 'cause', 'incident', 'maintenance', 'record', 'incident']
Original Request: A copy of any records indicating that a building permit was requested for {an address}.
Tokens prepared for LDA: ['record', 'indicate', 'build', 'permit', 'request', 'address}.']
Original Request: A copy of the building inspection reports regarding {an address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'regard', 'address}.']
Original Request: A copy of the building applications for {an address}.
Tokens prepared for LDA: ['build', 'application', 'address}.']
Original Request: A copy of the building permit application for renovation and addition issued for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'renovation', 'addition', 'issue', 'address}.']
Original Request: A copy of all water bills for {an address} for the past 12 to 24 months.
Tokens prepared for LDA: ['water', 'address', 'month']
Original Request: A copy of the food inspection report that was completed due to the investigation of the illness/outbreak at the Eglinton Grand Banquet Hall on November 25, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'complete', 'investigation', 'illness', 'outbreak', 'eglinton', 'grand', 'banquet', 'november']
Original Request: A copy of any zoning violations, complaints lodged, visits by inspectors at {an address} between January 2008 and January 31, 2012.
Tokens prepared for LDA: ['violation', 'complaint', 'lodge', 'visit', 'inspector', 'address', 'january', 'january']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 21, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the accident report for {an address} from Parks & Facilities Earl Bales Ski Park on February 25, 2012 at 2:30 p.m.
Tokens prepared for LDA: ['accident', 'report', 'address', 'parks', 'facility', 'bale', 'february']
Original Request: A copy of the health report for {an address} between October 5 and October 31, 2010.
Tokens prepared for LDA: ['health', 'report', 'address', 'october', 'october']
Original Request: A copy of the building permit for {an address} issued in 2001 and completed in 2003. Also the name and contact information of the contractor.
Tokens prepared for LDA: ['build', 'permit', 'address', 'issue', 'complete', 'contact', 'information', 'contractor']
Original Request: A copy of the fire inspection prevention report related to the inspection at {an address}, including all related documents. The inspection was completed on Feb. 7, 2012 by Scott Campbell.
Tokens prepared for LDA: ['inspection', 'prevention', 'report', 'relate', 'inspection', 'address', 'include', 'relate', 'document', 'inspection', 'complete', 'february', 'scott', 'campbell']
Original Request: A copy of building inspection report filed for outside construction at {an address}including details on who placed the complaint. The inspection was done in February 2012 by John Genys.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'outside', 'construction', 'address}including', 'place', 'complaint', 'inspection', 'february', 'genys']
Original Request: A copy of 311 calls that have come from callers living at {an address} about elevators for the past 6 months.
Tokens prepared for LDA: ['caller', 'address', 'elevator', 'month']
Original Request: A copy of building permits for No. 9401061, 9430158, 9430202 for {an address}., Scarborough.
Tokens prepared for LDA: ['build', 'permit', '9401061', '9430158', '9430202', 'address}.', 'scarborough']
Original Request: A copy of all inspection reports, photos, correspondence, project construction deficiencies and inspection notes from January 1, 2009 to June 1, 2011 regarding {an address}.
Tokens prepared for LDA: ['inspection', 'report', 'photo', 'correspondence', 'project', 'construction', 'deficiency', 'inspection', 'january', 'regard', 'address}.']
Original Request: A copy of all Toronto Water records relating to {an address} after September 1, 2010. Reference no's: 708391, 784795, 786380, 809505, and work order no's: 401195 and 408954.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relate', 'address', 'september', 'reference', '708391', '784795', '786380', '809505', 'order', '401195', '408954']
Original Request: A copy of all ML&S violation records for {an address}, including inspections, findings, orders, pictures, and records of non-compliance.
Tokens prepared for LDA: ['violation', 'record', 'address', 'include', 'inspection', 'finding', 'order', 'picture', 'record', 'compliance']
Original Request: A copy of all building permits and applications requesting alterations to {an address}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'request', 'alteration', 'address}.']
Original Request: A copy of the fire report for {an address. The incident occurred on December 17, 2011.
Tokens prepared for LDA: ['report', 'address', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 26, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 26, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of all health records involving contact with {an individual} and/or property management of {an address} concerning asbestos from December 2011 to January 23, 2012.
Tokens prepared for LDA: ['health', 'record', 'involve', 'contact', 'individual', 'and/or', 'property', 'management', 'address', 'concern', 'asbestos', 'december', 'january']
Original Request: A copy of the heating compliance records relating to {an address}. There were ML&S inspections on February 28 and 29, 2012.
Tokens prepared for LDA: ['compliance', 'record', 'relate', 'address}.', 'inspection', 'february']
Original Request: A copy of the Public Health report regarding {an address}.
Tokens prepared for LDA: ['public', 'health', 'report', 'regard', 'address}.']
Original Request: A copy of all building records and correspondence for {an address}, including documents related the alterations around 1992-1993.
Tokens prepared for LDA: ['build', 'record', 'correspondence', 'address', 'include', 'document', 'relate', 'alteration']
Original Request: A copy of the complaint email sent to ML&S regarding the dog living at {an address}.
Tokens prepared for LDA: ['complaint', 'email', 'regard', 'address}.']
Original Request: A copy of all reports and notes from Building and ML&S inspectors regarding {an address}, including dates of all inspections.
Tokens prepared for LDA: ['report', 'building', 'inspector', 'regard', 'address', 'include', 'inspection']
Original Request: A copy of the photographs from the red light camera located at Warden Avenue and Cloverleaf Gt. on July 2, 2011 at approximately 4:00 p.m.
Tokens prepared for LDA: ['photograph', 'light', 'camera', 'locate', 'warden', 'avenue', 'cloverleaf', 'approximately']
Original Request: A copy of any permits before 1990 regarding zoning and the use of {an address}.
Tokens prepared for LDA: ['permit', 'regard', 'address}.']
Original Request: A copy of all computerized building records relating to {an address}, including inspection notes, records or any other electroniclly stored information.
Tokens prepared for LDA: ['computerize', 'build', 'record', 'relate', 'address', 'include', 'inspection', 'record', 'electroniclly', 'store', 'information']
Original Request: A copy of the fire report for {an address}. The incident occurred on September 25, 2006. The fire report no. F06106816.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'september', 'report', 'f06106816']
Original Request: All inspection notes and reports for {} under permits #16 181376 BLD 00BA, 16 181376 PLB 00PS and 16 181376 HVA 00MS. Record search from Jul. 6, 2016 to Jan. 1, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'permit', '181376', '181376', '181376', 'record', 'search', 'january']
Original Request: Record of all dog related incidents for the years 2014-2016; broken down to daily totals if possible (if not, monthly or yearly) for total amounts under the following categories: 1-complaints for off leash dogs, 2-other dog related incidents 3 etc.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'break', 'daily', 'total', 'possible', 'monthly', 'yearly', 'total', 'follow', 'category', '1-complaints', 'leash', '2-other', 'relate', 'incident']
Original Request: Record of all underground work done at the corner of Cecil St. and Ross St. over the last 8 years, indicating: dates active, type of work and the contractor. Record search from Jan. 1, 2009 to present.
Tokens prepared for LDA: ['record', 'underground', 'corner', 'cecil', 'indicate', 'active', 'contractor', 'record', 'search', 'january', 'present']
Original Request: Record of all underground work done at the corner of Cecil St. and Ross St. over the last 8 years, indicating: dates active, type of work and the contractor. Record search from Jan. 1, 2009 to present.
Tokens prepared for LDA: ['record', 'underground', 'corner', 'cecil', 'indicate', 'active', 'contractor', 'record', 'search', 'january', 'present']
Original Request: Record of dispatch fee payments made by Uber to the City from time of first payment until Dec. 31, 2016. Statistical information should be reflected by date under the following headings: Amount paid to City per trip; Average cost of trips dispatched etc.
Tokens prepared for LDA: ['record', 'dispatch', 'payment', 'payment', 'december', 'statistical', 'information', 'reflect', 'follow', 'heading', 'average', 'dispatch']
Original Request: Record of dispatch fee payments made by Uber to the City from time of first payment until Dec. 31, 2016. Statistical information should be reflected by date under the following headings: Amount paid to City per trip; Average cost of trips dispatched etc.
Tokens prepared for LDA: ['record', 'dispatch', 'payment', 'payment', 'december', 'statistical', 'information', 'reflect', 'follow', 'heading', 'average', 'dispatch']
Original Request: Still images of red light camera at the Jarvis St. and Dundas St. intersection for the time frame8:10 p.m. - 8:25 p.m., on July 6, 2016. Images should capture motor vehicle collision between: a Scion IQ 2 door hatchback {removed} etc.
Tokens prepared for LDA: ['image', 'light', 'camera', 'jarvis', 'dundas', 'intersection', 'frame8:10', 'image', 'capture', 'motor', 'vehicle', 'collision', 'scion', 'hatchback', 'remove']
Original Request: Record of all fire violations issued against {} including documentation of any visits to the address by Toronto Public Health. Record of any initiated contact by {} with SDFA under their Spider Program etc.
Tokens prepared for LDA: ['record', 'violation', 'issue', 'include', 'documentation', 'visit', 'address', 'toronto', 'public', 'health', 'record', 'initiate', 'contact', 'spider', 'program']
Original Request: Copies of any and all records documenting inspections, complaints or reports concerns regarding {} including notices of violations, details of charges laid, photographs, orders and investigative notes.
Tokens prepared for LDA: ['copy', 'record', 'document', 'inspection', 'complaint', 'report', 'concern', 'regard', 'include', 'notice', 'violation', 'charge', 'photograph', 'order', 'investigative']
Original Request: Copies of any and all records documenting inspections, complaints or reports concerns regarding {} including notices of violations, details of charges laid, photographs, orders and investigative notes.
Tokens prepared for LDA: ['copy', 'record', 'document', 'inspection', 'complaint', 'report', 'concern', 'regard', 'include', 'notice', 'violation', 'charge', 'photograph', 'order', 'investigative']
Original Request: Copies of any and all records documenting inspections, complaints or reports concerns regarding {} including notices of violations, details of charges laid, photographs, orders and investigative notes etc.
Tokens prepared for LDA: ['copy', 'record', 'document', 'inspection', 'complaint', 'report', 'concern', 'regard', 'include', 'notice', 'violation', 'charge', 'photograph', 'order', 'investigative']
Original Request: Record of attendance by Toronto Police and Toronto Fire to property located at {} from July 2015 to Oct. 2016.
Tokens prepared for LDA: ['record', 'attendance', 'toronto', 'police', 'toronto', 'property', 'locate', 'october']
Original Request: A copy of building documents under permits: 97-13506 PLB 00 PS; 04-127294 BLD 01 BA; 97-014176 BLD 00 BA; 11-308156 BLD 00 BA. Record search from 1997 to 2011.
Tokens prepared for LDA: ['build', 'document', 'permit', '13506', '127294', '014176', '308156', 'record', 'search']
Original Request: A copy of Toronto Water records in relation to watermain break at {}. on Dec. 26, 2016. Service request #4412661.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relation', 'watermain', 'break', 'december', 'service', 'request', '4412661']
Original Request: All records related to order 15 160069 PRS 00 IV, issued on May 21, 2015 in relation to {}. Record search from May 2015 to present.
Tokens prepared for LDA: ['record', 'relate', 'order', '160069', 'issue', 'relation', 'record', 'search', 'present']
Original Request: In digital format: Copies of all e-mailed complaints made to parks@toronto.ca regarding High Park Zoo from Jan 1 2016 to Jan 8 2017.
Tokens prepared for LDA: ['digital', 'format', 'copy', 'complaint', 'parks@toronto.ca', 'regard']
Original Request: Copies of ML&S investigative records concerning complaint in Nov. 2016 of a rancid garbage smell affecting {}. Inspector Waseem Safdar.
Tokens prepared for LDA: ['copy', 'investigative', 'record', 'concern', 'complaint', 'november', 'rancid', 'garbage', 'smell', 'affect', 'inspector', 'waseem', 'safdar']
Original Request: A copy of fire inspection compliance report for {} following investigation of Oct. 28, 2016.
Tokens prepared for LDA: ['inspection', 'compliance', 'report', 'follow', 'investigation', 'october']
Original Request: A copy of surveillance video footage for the east parking area of Gus Ryder Community Centre (adjacent to the building) between the hours of 9.15-10.45am on Thurs. Dec 22nd. Footage capture should show the hit and run of a parked sand (beige) colored etc.
Tokens prepared for LDA: ['surveillance', 'video', 'footage', 'ryder', 'community', 'centre', 'adjacent', 'build', '10.45am', 'footage', 'capture', 'beige', 'color']
Original Request: A copy of legal non-conforming letter for {} confirming the use of the building as a single dwelling family home.
Tokens prepared for LDA: ['legal', 'conform', 'letter', 'confirm', 'build', 'single', 'dwell', 'family']
Original Request: A complete copy of Toronto Fire file for {} from Nov. 28, 2016 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'november', 'present']
Original Request: Inspection report for fire safety from inspector for {} from 2013.
Tokens prepared for LDA: ['inspection', 'report', 'safety', 'inspector']
Original Request: Document ID # 691750 generated / sent May18, 2007 and May 1, 2009. The document is listed on page 4 of Order No. 07-218459 that related to {}.
Tokens prepared for LDA: ['document', '691750', 'generate', 'may18', 'document', 'order', '218459', 'relate']
Original Request: Work orders, violations for {} in relation to lack of heating, cockroach infestation, broken windows, leaky roof. Record search from Dec. 7, 2014 to Jan. 9, 2017.
Tokens prepared for LDA: ['order', 'violation', 'relation', 'cockroach', 'infestation', 'break', 'window', 'leaky', 'record', 'search', 'december', 'january']
Original Request: Recent construction information re this contract http://app.toronto.ca/tmmis/viewAgendaItemHistory.do,item=2016.BD90.2 for Wedgewood Rink in Etobicoke: but ONLY for the rink part of the contract.
Tokens prepared for LDA: ['recent', 'construction', 'information', 'contract', 'http://app.toronto.ca/tmmis/viewagendaitemhistory.do,item=2016.bd90.2', 'wedgewood', 'etobicoke', 'contract']
Original Request: Any communications / correspondence between the contractor Delinia Ltd. and Toronto Building staff relating to the application of permit for {}. Record search from March 1, 2015 to July 1, 2015.
Tokens prepared for LDA: ['communication', 'correspondence', 'contractor', 'delinia', 'toronto', 'building', 'staff', 'relate', 'application', 'permit', 'record', 'search', 'march']
Original Request: Any and all records pertaining to the discrepancy in publicly reported Housing Stabilization Fund Expenditures and Utilization numbers for 2013.
Tokens prepared for LDA: ['record', 'pertain', 'discrepancy', 'publicly', 'report', 'housing', 'stabilization', 'expenditure', 'utilization', 'number']
Original Request: Any and all records, including but not limited to internal communications, e-mails, and memos containing one or more of the following: "Out in the Cold","The Crisis in Toronto's Shelter System", "Ontario Coalition Against Poverty", "OCAP", "anti-poverty activists", etc.
Tokens prepared for LDA: ['record', 'include', 'limit', 'internal', 'communication', 'contain', 'follow', 'cold","the', 'crisis', 'toronto', 'shelter', 'ontario', 'coalition', 'poverty', 'poverty', 'activist']
Original Request: Name of plumbing company, name of plumber that had done plumbing work on {} from Jan. 1, 2009 to Dec. 31, 2012.
Tokens prepared for LDA: ['plumb', 'company', 'plumber', 'plumb', 'january', 'december']
Original Request: Name of plumbing company, name of plumber that had done plumbing work on {} from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['plumb', 'company', 'plumber', 'plumb', 'january', 'present']
Original Request: Name of plumbing company, name of plumber that had done plumbing work on the Duncan House at {}. from Jan. 1, 2014 to Dec. 31, 2014.
Tokens prepared for LDA: ['plumb', 'company', 'plumber', 'plumb', 'duncan', 'house', 'january', 'december']
Original Request: Name of plumbing company, name of plumber that had done plumbing work on the restaurant called Anesti at 526 Danforth Ave. from Jan. 1, 2016 to Dec. 31, 2016.
Tokens prepared for LDA: ['plumb', 'company', 'plumber', 'plumb', 'restaurant', 'anesti', 'danforth', 'january', 'december']
Original Request: A copy of zone of influence report for construction for the site at 197 Redpath Ave. and Broadway Ave. Pemberton Group is the developer.
Tokens prepared for LDA: ['influence', 'report', 'construction', 'redpath', 'broadway', 'pemberton', 'group', 'developer']
Original Request: A copy of fire prevention inspection report for {} dated Jan. 3, 2017.
Tokens prepared for LDA: ['prevention', 'inspection', 'report', 'january']
Original Request: Full information of designated use and current and past zoning for {} North York. In particular, information on whether the property can be converted back to apartment use or nursing home.
Tokens prepared for LDA: ['information', 'designate', 'current', 'north', 'particular', 'information', 'property', 'convert', 'apartment', 'nurse']
Original Request: Toronto Animal Services Report # A16-041847 relating to a dog bite incident on Oct. 14, 2016. Jasmine Herzog was the investigating officer.
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'report', '041847', 'relate', 'incident', 'october', 'jasmine', 'herzog', 'investigate', 'officer']
Original Request: Fire code violation notices and penalty records for 222 Spadina Ave., MTCC # 1049, from Jan. 1, 1999 to Dec. 31, 2015.
Tokens prepared for LDA: ['violation', 'notice', 'penalty', 'record', 'spadina', 'january', 'december']
Original Request: The number of adult entertainment business licenses currently in operation in the City of Toronto, including business name and location, and annual comparison going back as far back as the City data goes. How many strip clubs are currently operating?
Tokens prepared for LDA: ['adult', 'entertainment', 'business', 'license', 'currently', 'operation', 'toronto', 'include', 'business', 'location', 'annual', 'comparison', 'datum', 'strip', 'currently', 'operate']
Original Request: All documents relating to zoning review regarding proposal to install 10 hydro meters at {} including a copy of 'permitted use' letter issued sometime in Sep. 2012.
Tokens prepared for LDA: ['document', 'relate', 'review', 'regard', 'proposal', 'install', 'hydro', 'meter', 'include', 'permit', 'letter', 'issue', 'september']
Original Request: A copy of all records relating to road and sidewalk maintenance, inspection, snow clearing and salting that took place on Trethewey Dr. and Brookhaven Dr. Weather of snow advisories relied upon when deciding whether to deploy winter maintenance etc.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'clear', 'place', 'trethewey', 'brookhaven', 'weather', 'advisory', 'decide', 'deploy', 'winter', 'maintenance']
Original Request: A copy of all records relating to road and sidewalk maintenance, inspection, snow clearing and salting that took place on Trethewey Dr. and Brookhaven Dr. Weather of snow advisories relied upon when deciding whether to deploy winter maintenance etc.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'clear', 'place', 'trethewey', 'brookhaven', 'weather', 'advisory', 'decide', 'deploy', 'winter', 'maintenance']
Original Request: A copy of all records relating to road and sidewalk maintenance, inspection, snow clearing and salting that took place on Trethewey Dr. and Brookhaven Dr. Weather of snow advisories relied upon when deciding whether to deploy winter maintenance etc.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'clear', 'place', 'trethewey', 'brookhaven', 'weather', 'advisory', 'decide', 'deploy', 'winter', 'maintenance']
Original Request: Record of the address and contact information for those residential buildings impact by City Councils newly enacted rules concerning standards and plans for pest control. As per new rules impacted buildings are those with 3 or more floors and 10 or more units; 3500 building have been impacted by this.
Tokens prepared for LDA: ['record', 'address', 'contact', 'information', 'residential', 'building', 'impact', 'council', 'newly', 'enact', 'concern', 'standard', 'control', 'impact', 'building', 'floor', 'build', 'impact']
Original Request: Documentation of the zoning designation for {}.
Tokens prepared for LDA: ['documentation', 'designation']
Original Request: A copy of contract between City Optical - City Dispensers Inc and Toronto Employment & Social Services - OW, in response to RFQ No. 0501-16-0034.
Tokens prepared for LDA: ['contract', 'optical', 'dispenser', 'toronto', 'employment', 'social', 'services', 'response']
Original Request: A copy of sample site plan sketches submitted with Boulevard Café/Patio permit application for 1915 Yonge St.
Tokens prepared for LDA: ['sample', 'sketch', 'submit', 'boulevard', 'patio', 'permit', 'application', 'yonge']
Original Request: E-mail correspondence between Penny Oleksiak and Mayor Tory and or his staff about the 2017 budget.
Tokens prepared for LDA: ['correspondence', 'penny', 'oleksiak', 'mayor', 'staff', 'budget']
Original Request: A copy of investigative report relating to dog attack incident; service request# 4397206, including the contact information for the subject dog and its owner. Record search from Dec. 14, 2016 to present.
Tokens prepared for LDA: ['investigative', 'report', 'relate', 'attack', 'incident', 'service', 'request', '4397206', 'include', 'contact', 'information', 'subject', 'owner', 'record', 'search', 'december', 'present']
Original Request: Record of all inspection notes and reports concerning investigation by Toronto Public Health at {}.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'concern', 'investigation', 'toronto', 'public', 'health']
Original Request: A copy of all service requests and repair reports relating to sidewalk and curb along La Rose Ave. between Jan. 1, 2015 to Sep. 30, 2016. Two previous known requests were made on Apr. 30, 2015 and Jun. 11, 2016 (order # 4068654) and repair etc.
Tokens prepared for LDA: ['service', 'request', 'repair', 'report', 'relate', 'sidewalk', 'january', 'september', 'previous', 'request', 'april', 'order', '4068654', 'repair']
Original Request: A copy of sewer service records for work completed at {} on Sep. 13, 2016.
Tokens prepared for LDA: ['sewer', 'service', 'record', 'complete', 'september']
Original Request: A breakdown of the revenues collected from fines charged as a result of ML&S bylaw infractions (all categories/reasons) including the amount of money collected/not collected by the City in 2016.
Tokens prepared for LDA: ['breakdown', 'revenue', 'collect', 'charge', 'result', 'bylaw', 'infraction', 'category', 'reason', 'include', 'money', 'collect', 'collect']
Original Request: Video footage from 170 Jarvis St. The Good Neighbours' Club on Dec. 5, 2016 from 9:00 - 9:20 am capturing, {} interacting with staff at the front desk.
Tokens prepared for LDA: ['video', 'footage', 'jarvis', 'neighbour', 'december', 'capture', 'interact', 'staff']
Original Request: Record of permits issued to {} in 1973 and 1985 including documentation of the outcome of each. Any documentation of a change in this municipal address.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'include', 'documentation', 'outcome', 'documentation', 'change', 'municipal', 'address']
Original Request: Copies of RFP's and contracts for TTC Accessibility Transportation Contracts for the provision of accessible services through companies such as Beck Taxi, Co-Op Taxi, Checker Taxi etc., using Sedan Access Vans. Record search from Jul. 15, 2008 to present.
Tokens prepared for LDA: ['copy', 'contract', 'accessibility', 'transportation', 'contract', 'provision', 'accessible', 'service', 'company', 'checker', 'sedan', 'access', 'record', 'search', 'present']
Original Request: Documentation of public notices for temporary road closures during the 2015 Pan Am/Parapan Games at the intersection of southbound Jarvis St. to eastbound Adelaide St. E. Record search from May 1, 2015 to August 1, 2015.
Tokens prepared for LDA: ['documentation', 'public', 'notice', 'temporary', 'closure', 'parapan', 'game', 'intersection', 'southbound', 'jarvis', 'eastbound', 'adelaide', 'record', 'search', 'august']
Original Request: A copy of winning proposal/bid for the Request for Quotation #: 3411-16-7211 Issued: October 6, 2016.
Tokens prepared for LDA: ['proposal', 'request', 'quotation', 'issue', 'october']
Original Request: Record of request to view plans or access permit documents related to {} including documentation of the individual(s) who made the request. Record of all complaints made against the property along with inspection notes etc.
Tokens prepared for LDA: ['record', 'request', 'access', 'permit', 'document', 'relate', 'include', 'documentation', 'individual(s', 'request', 'record', 'complaint', 'property', 'inspection']
Original Request: Any information on rooming house license prior to 2010 for {}. Any information from Toronto Fire for any inspection or report prior to 2010. Any building inspection/permit records. Record search from 1999 to Jan. 2011.
Tokens prepared for LDA: ['information', 'house', 'license', 'prior', 'information', 'toronto', 'inspection', 'report', 'prior', 'build', 'inspection', 'permit', 'record', 'record', 'search', 'january']
Original Request: Full details on inspection report with all inspectors' notes and comments for {} North York. Also any drawing revisions that were submitted.
Tokens prepared for LDA: ['inspection', 'report', 'inspector', 'comment', 'north', 'revision', 'submit']
Original Request: A breakdown of all the expenses that are incurred during by-elections from Jan. 1, 2010 to Jan. 1, 2017.
Tokens prepared for LDA: ['breakdown', 'expense', 'incur', 'election', 'january', 'january']
Original Request: A sortable electronic document (such as a spreadsheet, database or .csv text file) showing all reported collisions in Toronto from Jan. 1, 2000 to the most current available data, including all fields in the original which can be released etc.
Tokens prepared for LDA: ['sortable', 'electronic', 'document', 'spreadsheet', 'database', 'report', 'collision', 'toronto', 'january', 'current', 'available', 'datum', 'include', 'field', 'original', 'release']
Original Request: Copies of orders issued to the landlord for property located at {} in the years 2012 and 2016.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'landlord', 'property', 'locate']
Original Request: A copy of documentation for the installment of a "No Left/Straight Turn" signal at the intersection of Castlefield Ave. and Avenue Rd.
Tokens prepared for LDA: ['documentation', 'installment', 'straight', 'signal', 'intersection', 'castlefield', 'avenue']
Original Request: Record of all complaints and investigative records for {} from Jan. 1, 1998 to present. In particular, any objections or responses to complaints filed by the Board / Property Management.
Tokens prepared for LDA: ['record', 'complaint', 'investigative', 'record', 'january', 'present', 'particular', 'objection', 'response', 'complaint', 'board', 'property', 'management']
Original Request: A complete copy of building file for {} from Oct. 2014 to Oct. 31, 2015.
Tokens prepared for LDA: ['complete', 'build', 'october', 'october']
Original Request: A complete copy of building file for {} from Oct. 2014 to Oct. 31, 2015.
Tokens prepared for LDA: ['complete', 'build', 'october', 'october']
Original Request: A copy of approval letter for equipment encroachment on {} under permit # 423245 issued May 6, 1999 for {}
Tokens prepared for LDA: ['approval', 'letter', 'equipment', 'encroachment', 'permit', '423245', 'issue']
Original Request: 1. Any correspondence between MLS and {} or its agents: Garoy Construction and Cromwell Management, Property Manager from September 2015 to present.
Tokens prepared for LDA: ['correspondence', 'agent', 'garoy', 'construction', 'cromwell', 'management', 'property', 'manager', 'september', 'present']
Original Request: Copies of all e-mails received or sent from the following individuals and e-mail addresses, within the topic of "Monarch Park Stadium which is managed by Razor Management."
Tokens prepared for LDA: ['copy', 'receive', 'follow', 'individual', 'address', 'topic', 'monarch', 'stadium', 'manage', 'razor', 'management']
Original Request: Record of all ML&S and Toronto Public Health investigative reports for {} in relation to bedbug and cockroach infestations. Ref. # TPH-4094185 & ML&S-I397918. Record search from Jan. 2016 to present.
Tokens prepared for LDA: ['record', 'toronto', 'public', 'health', 'investigative', 'report', 'relation', 'bedbug', 'cockroach', 'infestation', 'tph-4094185', 'i397918', 'record', 'search', 'january', 'present']
Original Request: Copies of building inspections reports for {} in relation to permit No.: BLD 12 243731; BLD 12 243728.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'relation', 'permit', '243731', '243728']
Original Request: A copy of food inspection report for Metro Supermarket at 2155 St. Clair Ave. W. Inspector Frank De Maria.
Tokens prepared for LDA: ['inspection', 'report', 'metro', 'supermarket', 'clair', 'inspector', 'frank', 'maria']
Original Request: A copy of all investigation and complaint records for {} including those related to permit # 16 115025 DRN. Record search from Jan. 1, 2010 to Jan. 16, 2017.
Tokens prepared for LDA: ['investigation', 'complaint', 'record', 'include', 'relate', 'permit', '115025', 'record', 'search', 'january', 'january']
Original Request: Record of all reports, photos, notes, sketches, interviews and all other documentation relating to fire that occurred at {} on or about Oct. 31, 2016.
Tokens prepared for LDA: ['record', 'report', 'photo', 'sketch', 'interview', 'documentation', 'relate', 'occur', 'october']
Original Request: Record of all building permit applications and permits issued to {} from Jan. 1, 2000 to Jan. 1, 2006.
Tokens prepared for LDA: ['record', 'build', 'permit', 'application', 'permit', 'issue', 'january', 'january']
Original Request: All records pertaining to retaining wall at {} from Dec. 1, 2001 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'pertain', 'retain', 'december', 'january']
Original Request: All records pertaining to retaining wall at {} from Dec. 1, 2001 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'pertain', 'retain', 'december', 'january']
Original Request: All records pertaining to retaining wall at {} from Dec. 1, 2001 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'pertain', 'retain', 'december', 'january']
Original Request: Records related to Fred Victor Centre and its Housing Access and Support Services department - contracts, funding agreements, and communication with City staff etc.
Tokens prepared for LDA: ['record', 'relate', 'victor', 'centre', 'housing', 'access', 'support', 'services', 'department', 'contract', 'agreement', 'communication', 'staff']
Original Request: Record of all building permits issued to {} as well as Committee of Adjustment file. Record search 1990 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'committee', 'adjustment', 'record', 'search', 'present']
Original Request: Record of all building permits issued to {} as well as Committee of Adjustment file (2008 and prior). Record search 1990 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'committee', 'adjustment', 'prior', 'record', 'search', 'present']
Original Request: A copy of City order for the removal of encroaching decking and fencing on the property of {} from that of City property. Any building permits and inspection reports for the aforementioned property.
Tokens prepared for LDA: ['order', 'removal', 'encroach', 'fence', 'property', 'property', 'build', 'permit', 'inspection', 'report', 'aforementioned', 'property']
Original Request: A copy of City order for the removal of encroaching decking and fencing on the property of {} from that of City property. Any building permits and inspection reports for the aforementioned property.
Tokens prepared for LDA: ['order', 'removal', 'encroach', 'fence', 'property', 'property', 'build', 'permit', 'inspection', 'report', 'aforementioned', 'property']
Original Request: A copy of nomination report/form for the Baby Point Heritage Conservation District. Which was submitted in respect of the nomination, NOT the City approval and authorization to approve the study or the City's prioritization report.
Tokens prepared for LDA: ['nomination', 'report', 'point', 'heritage', 'conservation', 'district', 'submit', 'respect', 'nomination', 'approval', 'authorization', 'approve', 'study', 'prioritization', 'report']
Original Request: Copies of engineers and inspectors reports for {} under permit 13 115221 BLD 00 SR.
Tokens prepared for LDA: ['copy', 'engineer', 'inspector', 'report', 'permit', '115221']
Original Request: Copies of building and planning files for {.} aka {}, PIN 21136-0189 (LT). Record search from Jan. 1, 2011 to present.
Tokens prepared for LDA: ['copy', 'build', '21136', 'record', 'search', 'january', 'present']
Original Request: Record of the original zoning/permitted use designation for property located at {} time of build, any documentation of change of use. All information prior to 1980 legal survey etc.
Tokens prepared for LDA: ['record', 'original', 'permit', 'designation', 'property', 'locate', 'build', 'documentation', 'change', 'information', 'prior', 'legal', 'survey']
Original Request: Record of any demolition permit applications, submitted in relation to {} from Jan. 1, 2014 to Feb. 19, 2015.
Tokens prepared for LDA: ['record', 'demolition', 'permit', 'application', 'submit', 'relation', 'january', 'february']
Original Request: A copy of fire inspection reports, notes, violations, orders and other investigative documents for {}. Record search from Nov. 28, 2016 to Jan. 5, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'violation', 'order', 'investigative', 'document', 'record', 'search', 'november', 'january']
Original Request: All polling conducted by, or on behalf or Mayor John Tory's office.
Tokens prepared for LDA: ['conduct', 'behalf', 'mayor', 'office']
Original Request: Copies of engineers' reports and site analysis for property located at {}. Record search from 1925 to 2011.
Tokens prepared for LDA: ['copy', 'engineer', 'report', 'analysis', 'property', 'locate', 'record', 'search']
Original Request: Record of any documentation related to the classification of {} as a legal duplex. A copy of said record was reviewed in planning file in the form of a card.
Tokens prepared for LDA: ['record', 'documentation', 'relate', 'classification', 'legal', 'duplex', 'record', 'review']
Original Request: The identity of the complainant(s) who have made complaints in relation to on street parking of vehicle greater than 3 hours or for blocking driveways on Courcelette Rd. Record search from 2012 to present.
Tokens prepared for LDA: ['identity', 'complainant(s', 'complaint', 'relation', 'street', 'vehicle', 'great', 'block', 'driveway', 'courcelette', 'record', 'search', 'present']
Original Request: A copy of survey of residents who voted (poll) to restrict parking on Battenberg Ave between 5 - 7 pm unless the vehicle has a parking permit. If the survey is not available, information on how this restrictive parking policy was approved is requested.
Tokens prepared for LDA: ['survey', 'resident', 'restrict', 'battenberg', 'unless', 'vehicle', 'permit', 'survey', 'available', 'information', 'restrictive', 'policy', 'approve', 'request']
Original Request: All files of Toronto Buildings in hard copy, electronic or otherwise related to the Manulife Campus located at 200 Bloor St. E., for the following Building Permit Numbers: 01 132583 CMB; 02 102155 BLD HVA; 05 144738 BLD; 06 146488 PLB; 10 145720 BLD etc.
Tokens prepared for LDA: ['toronto', 'building', 'electronic', 'relate', 'manulife', 'campus', 'locate', 'bloor', 'follow', 'building', 'permit', 'numbers', '132583', '102155', '144738', '146488', '145720']
Original Request: All files of Toronto Buildings in hard copy, electronic or otherwise related to the Manulife Campus located at 250 Bloor St. E., for the following Building Permit Numbers: 01 132583 CMB; 02 102155 BLD HVA; 05 144738 BLD; 06 146488 PLB; 10 145720 BLD; 13 2
Tokens prepared for LDA: ['toronto', 'building', 'electronic', 'relate', 'manulife', 'campus', 'locate', 'bloor', 'follow', 'building', 'permit', 'numbers', '132583', '102155', '144738', '146488', '145720']
Original Request: Confirmation of service call request for 2016 water shut off at {}. A copy of 2016 zoning related letter sent to neighbors in relation to the aforementioned property.
Tokens prepared for LDA: ['confirmation', 'service', 'request', 'water', 'relate', 'letter', 'neighbor', 'relation', 'aforementioned', 'property']
Original Request: A copy of property standards inspection report for {}. Record search for Oct. 18, 2016 to Jan. 23, 2017.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'record', 'search', 'october', 'january']
Original Request: Copies of building file documents pertaining to construction of detached home at {} under permit # 16 142801.
Tokens prepared for LDA: ['copy', 'build', 'document', 'pertain', 'construction', 'detach', 'permit', '142801']
Original Request: Record identifying work detail and the plumbing company and/or plumber (s) that performed work at {}. Record search from Jan. 1, 2012 to Dec. 31, 2013.
Tokens prepared for LDA: ['record', 'identify', 'plumb', 'company', 'and/or', 'plumber', 'perform', 'record', 'search', 'january', 'december']
Original Request: Documentation of the plumbing company and/or plumber (s) that performed work at {} including associated inspection records. Record search from Jan. 1, 2011 to Dec. 31, 2013.
Tokens prepared for LDA: ['documentation', 'plumb', 'company', 'and/or', 'plumber', 'perform', 'include', 'associate', 'inspection', 'record', 'record', 'search', 'january', 'december']
Original Request: Documentation of the plumbing company and/or plumber (s) that performed work at {} including associated inspection records. Record search from Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['documentation', 'plumb', 'company', 'and/or', 'plumber', 'perform', 'include', 'associate', 'inspection', 'record', 'record', 'search', 'january', 'december']
Original Request: Documentation of the plumbing company and/or plumber (s) that performed work {}. Including documentation of the scope of work and associated inspection records.
Tokens prepared for LDA: ['documentation', 'plumb', 'company', 'and/or', 'plumber', 'perform', 'include', 'documentation', 'scope', 'associate', 'inspection', 'record']
Original Request: Documentation of the plumbing company and/or plumber (s) that performed work at {} including associated inspection records. Record search from Jan. 1, 2012 to Dec. 31, 2013.
Tokens prepared for LDA: ['documentation', 'plumb', 'company', 'and/or', 'plumber', 'perform', 'include', 'associate', 'inspection', 'record', 'record', 'search', 'january', 'december']
Original Request: Record of dog owner's contact information - full name, address in relation to dog bite incident report for ref. # A16-001607 in which {} was bitten on Jan. 10, 2017.
Tokens prepared for LDA: ['record', 'owner', 'contact', 'information', 'address', 'relation', 'incident', 'report', '001607', 'january']
Original Request: A copy of submitted proposal of the successful proponent for the current Toronto EDC Advertising and Design Partner. Record search from Jan. 1, 2013 to Jan. 1, 2016.
Tokens prepared for LDA: ['submit', 'proposal', 'successful', 'proponent', 'current', 'toronto', 'advertising', 'design', 'partner', 'record', 'search', 'january', 'january']
Original Request: All building permit and inspection records (entire building) file for the property located at {}. Record search Jan. 1, 1990 to Jan. 26, 2017.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'entire', 'build', 'property', 'locate', 'record', 'search', 'january', 'january']
Original Request: Copy of Toronto Police records for an incident involving {} on the evening of Sunday February 18th, 2013. Requested records should include: all notes, records, audio and video relating to such incident.
Tokens prepared for LDA: ['toronto', 'police', 'record', 'incident', 'involve', 'sunday', 'february', 'request', 'record', 'include', 'record', 'audio', 'video', 'relate', 'incident']
Original Request: Copies of property inspection reports for {}. Record search from May 1, 2016 to Aug. 1, 2016.
Tokens prepared for LDA: ['copy', 'property', 'inspection', 'report', 'record', 'search', 'august']
Original Request: All building inspection reports for {} under permit # 16 143 Z85.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit']
Original Request: All documents related to {} under permit # 01-2041067 SGN & 03-129037 SGN.
Tokens prepared for LDA: ['document', 'relate', 'permit', '2041067', '129037']
Original Request: A copy of building application for {} under permit #15 239 749 BLD 00.
Tokens prepared for LDA: ['build', 'application', 'permit']
Original Request: Record of the number of the number of times in 2016, City inspectors visited {} due to complaints. Record search from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['record', 'inspector', 'visit', 'complaint', 'record', 'search', 'january', 'present']
Original Request: A copy of ML&S inspection report following investigation at {}. Record search from Sept. 1, 2016 to present.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'record', 'search', 'september', 'present']
Original Request: A complete copy of building file for {} including those related to permit # 202686 & 83 025403 which relate to wall jutting off of back wall of house and any other related documents. **wall may have been support for garage structure etc
Tokens prepared for LDA: ['complete', 'build', 'include', 'relate', 'permit', '202686', '025403', 'relate', 'house', 'relate', 'document', 'support', 'garage', 'structure']
Original Request: A copy of animal services file concerning complaint regarding dogs owned by {} of {}. Record of any fines issued against the aforementioned. Record search from Jun. 1, 2006 to Jan. 29, 2017.
Tokens prepared for LDA: ['animal', 'service', 'concern', 'complaint', 'regard', 'record', 'issue', 'aforementioned', 'record', 'search', 'january']
Original Request: A complete copy of Toronto Fire file in relation to incident #F15029484 including prevention records and witness statements.
Tokens prepared for LDA: ['complete', 'toronto', 'relation', 'incident', 'f15029484', 'include', 'prevention', 'record', 'witness', 'statement']
Original Request: A complete copy of the Construction Mitigation Plan for the current building at {}.
Tokens prepared for LDA: ['complete', 'construction', 'mitigation', 'current', 'build']
Original Request: Copies of records related to the following investigations for {}: Fence investigation file No.: 08 185878 FEN 00 IR; 08 185886 FEN 00 IV: 11 169447 FEN 00 IR & 11 169478 FEN 00 IV
Tokens prepared for LDA: ['copy', 'record', 'relate', 'follow', 'investigation', 'fence', 'investigation', '185878', '185886', '169447', '169478']
Original Request: All records pertaining to complaints made by {} of {} concerning issues of cockroach infestation, mold, flood, garbage overflow, noise and malfunctioning elevators. Record search from Nov. 1, 2015 to Jan. 25, 2017
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'concern', 'issue', 'cockroach', 'infestation', 'flood', 'garbage', 'overflow', 'noise', 'malfunction', 'elevator', 'record', 'search', 'november', 'january']
Original Request: All building records for {} under permit #14 128626 BLD 00 NH, issued Apr. 9, 2014.
Tokens prepared for LDA: ['build', 'record', 'permit', '128626', 'issue', 'april']
Original Request: Record of any existing orders issued to {} with respect to property standard issues. Any street parking, zoning or other approvals etc., in relation to the property. Including, StreetARToronto (StART) projects or any related outstanding etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project', 'relate', 'outstanding']
Original Request: A copy of records related to zoning investigation file No.: 12 232717 ZON 00 IR for {}, North York.
Tokens prepared for LDA: ['record', 'relate', 'investigation', '232717', 'north']
Original Request: All e-mails or reports from PF&R staff in relation to contact with the Ontario Progressive Conservative Party in relation to their use of Graydon Hall Park, for an announcement in early December 2016. Record search from Dec. 1, 2016 to Dec. 10, 2016.
Tokens prepared for LDA: ['report', 'staff', 'relation', 'contact', 'ontario', 'progressive', 'conservative', 'party', 'relation', 'graydon', 'announcement', 'early', 'december', 'record', 'search', 'december', 'december']
Original Request: A complete copy of building and City Planning records in relation to {}. Record search from Jan. 1980 to present.
Tokens prepared for LDA: ['complete', 'build', 'planning', 'record', 'relation', 'record', 'search', 'january', 'present']
Original Request: Copies of red-light camera stills of a grey Honda Accord, plate # {removed} at the intersection of Dufferin St., and Cartwright Ave., on November 5, 2016 between 1:55 p.m. - 2:10 p.m. Record should indicate the identity of the person who was driving etc.
Tokens prepared for LDA: ['copy', 'light', 'camera', 'honda', 'accord', 'plate', 'remove', 'intersection', 'dufferin', 'cartwright', 'november', 'record', 'indicate', 'identity', 'person', 'drive']
Original Request: All record obtained through the Ontario red light camera program regarding license plate # {removed}, owned by {}. From as far back as possible to present.
Tokens prepared for LDA: ['record', 'obtain', 'ontario', 'light', 'camera', 'program', 'regard', 'license', 'plate', 'remove', 'possible', 'present']
Original Request: Copies of all caution letters issued by the City to Brothers Plumbing and an un-named corporation on Jan. 11, 2017 by Vincent Szuto; ref. file# B64301.
Tokens prepared for LDA: ['copy', 'caution', 'letter', 'issue', 'brother', 'plumbing', 'corporation', 'january', 'vincent', 'szuto', 'b64301']
Original Request: All reports and inspection records related to 2014 permit for addition to property located at {}. As well as those pertaining to 2016 driveway and landscape permits. Record search from Jan. 1, 2014 to Jan. 26, 2017.
Tokens prepared for LDA: ['report', 'inspection', 'record', 'relate', 'permit', 'addition', 'property', 'locate', 'pertain', 'driveway', 'landscape', 'permit', 'record', 'search', 'january', 'january']
Original Request: A detailed breakdown on an excel spreadsheet of all car/bike/pedestrian collisions that resulted in death(s) or serious injurie(s) between January 1st, 2016 and December 31, 2016. Including, an incident date, incident unique number etc.
Tokens prepared for LDA: ['breakdown', 'excel', 'spreadsheet', 'pedestrian', 'collision', 'result', 'death(s', 'injurie(s', 'january', 'december', 'include', 'incident', 'incident', 'unique']
Original Request: Copies of records from ML&S, Toronto Public Health & Toronto Building with respect to {}. Record search from 2016 to present.
Tokens prepared for LDA: ['copy', 'record', 'toronto', 'public', 'health', 'toronto', 'building', 'respect', 'record', 'search', 'present']
Original Request: All records concerning {} including those related to permit # 11 222 685 BLD 02 SR, permits issued, variances granted and related inspection dates.
Tokens prepared for LDA: ['record', 'concern', 'include', 'relate', 'permit', 'permit', 'issue', 'variance', 'grant', 'relate', 'inspection']
Original Request: Record of any permits issued for construction to portion of public land or right of way section at {}. Record search from May 1, 2016 to Sep. 16, 2016.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'construction', 'portion', 'public', 'right', 'section', 'record', 'search', 'september']
Original Request: Record of complaints against {}; dates of site visits and notes as to whether entry was granted. A complete copy of public health file including, any documents provided by the division to the housing tribunal etc.
Tokens prepared for LDA: ['record', 'complaint', 'visit', 'entry', 'grant', 'complete', 'public', 'health', 'include', 'document', 'provide', 'division', 'house', 'tribunal']
Original Request: Copies of all Toronto Water records related to sewer back up incidents at {} between Jun. - Aug. 2014. Record of inspections performed at the aforementioned property from 2009 to 2014, as well as those which identify when within the last the last 10 years, clay pipes were re-lined.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'relate', 'sewer', 'incident', 'august', 'record', 'inspection', 'perform', 'aforementioned', 'property', 'identify']
Original Request: A copy of report: Brownfields Profiles for Village of Yorkville, Sorauren, Woodbine Park, and Parliament Square, dated 1998. As referenced in doctoral thesis by Christopher A. De Sousa in 2002.
Tokens prepared for LDA: ['report', 'brownfields', 'profile', 'village', 'yorkville', 'sorauren', 'woodbine', 'parliament', 'square', 'reference', 'doctoral', 'thesis', 'christopher', 'sousa']
Original Request: A copy of fire inspection report and documentation of findings for {} in Dec. 2016.
Tokens prepared for LDA: ['inspection', 'report', 'documentation', 'finding', 'december']
Original Request: All communication between the residents of {} and the City in relation to parking on Belleville St. Record search from Apr. 18, 2011 to Jun. 30, 2011. PF&R documents in relation to pin oak tree on the property from etc.
Tokens prepared for LDA: ['communication', 'resident', 'relation', 'belleville', 'record', 'search', 'april', 'document', 'relation', 'property']
Original Request: Record of any complaints or inquiries by the residents of {} regarding renovation or construction in the basement of {} record search from Feb. 1, 2010 to May 30, 2010.
Tokens prepared for LDA: ['record', 'complaint', 'inquiry', 'resident', 'regard', 'renovation', 'construction', 'basement', 'record', 'search', 'february']
Original Request: Record of all complaints made by residents of {} in relation to parking issues. Record search from Apr. 18, 2011 to Jun. 30, 2011. Complaints made by residents of {} in relation to pin oak tree etc.
Tokens prepared for LDA: ['record', 'complaint', 'resident', 'relation', 'issue', 'record', 'search', 'april', 'complaint', 'resident', 'relation']
Original Request: Record of incidents of theft personal property at the Trinity Bellwoods Recreation Centre from 2007 to present.
Tokens prepared for LDA: ['record', 'incident', 'theft', 'personal', 'property', 'trinity', 'bellwoods', 'recreation', 'centre', 'present']
Original Request: Deficiency list and occupancy clearance for {} from Building Inspection, HVAC Inspection, and Fire Department. Record search from Jul. 2016 to Dec. 1, 2016.
Tokens prepared for LDA: ['deficiency', 'occupancy', 'clearance', 'building', 'inspection', 'inspection', 'department', 'record', 'search', 'december']
Original Request: All records in connection with 2015 the front yard parking pad application at {}.
Tokens prepared for LDA: ['record', 'connection', 'application']
Original Request: Copies of all information including the application in respect of new section 8A on street parking permits that were issued for the period ending Nov. 30, 2016 to residents of Ferrier Ave. from the segment/block of Ferrier that begins at Danforth etc.
Tokens prepared for LDA: ['copy', 'information', 'include', 'application', 'respect', 'section', 'street', 'permit', 'issue', 'period', 'november', 'resident', 'ferrier', 'segment', 'block', 'ferrier', 'begin', 'danforth']
Original Request: Residential & commercial building demolition permits granted in The City of Toronto. Record search from Feb. 3, 2016 to Feb. 3, 2017.
Tokens prepared for LDA: ['residential', 'commercial', 'build', 'demolition', 'permit', 'grant', 'toronto', 'record', 'search', 'february', 'february']
Original Request: Street light maintenance and repair records, inspection reports and work orders, invoices for street lights at intersection of Eglinton Ave. W. & Bathurst St. Record of complaints and comments made to 311 Toronto or Transportation Services etc.
Tokens prepared for LDA: ['street', 'light', 'maintenance', 'repair', 'record', 'inspection', 'report', 'order', 'invoice', 'street', 'light', 'intersection', 'eglinton', 'bathurst', 'record', 'complaint', 'comment', 'toronto', 'transportation', 'services']
Original Request: TTC Case Number:CSC-123432-X1V9B4; TTC Case Number:CSC-123432-X1V9B4; TTC:00310005031; TTC: 00090030993; TTC: 00090027477
Tokens prepared for LDA: ['number', 'csc-123432-x1v9b4', 'number', 'csc-123432-x1v9b4', 'ttc:00310005031', '00090030993', '00090027477']
Original Request: In electronic excel spreadsheet format: record listing all building permits issued for the construction of a pool enclosure fence on private property within the application date range. Permit information required should include: Building Permit Number, Adddress of work, Ward, Date of Application, Value of work, indication if an individual or company applied for said permit, name of company, and if available type of pool (i.e. in-ground pool or above ground pool).
Tokens prepared for LDA: ['electronic', 'excel', 'spreadsheet', 'format', 'record', 'build', 'permit', 'issue', 'construction', 'enclosure', 'fence', 'private', 'property', 'application', 'range', 'permit', 'information', 'require', 'include', 'building', 'permit', 'number', 'adddress', 'application', 'value', 'indication', 'individual', 'company', 'apply', 'permit', 'company', 'available', 'grind', 'grind']
Original Request: Copies of all health inspector records related to {} including documents and photographs. Record search from Nov. 1, 2016 to Feb. 3, 2017.
Tokens prepared for LDA: ['copy', 'health', 'inspector', 'record', 'relate', 'include', 'document', 'photograph', 'record', 'search', 'november', 'february']
Original Request: The dental screening database, which includes records relating to dental screening services provided by dental hygienists to City children between the academic levels of kindergarten to grade eight.
Tokens prepared for LDA: ['dental', 'screen', 'database', 'include', 'record', 'relate', 'dental', 'screen', 'service', 'provide', 'dental', 'hygienist', 'child', 'academic', 'level', 'kindergarten', 'grade']
Original Request: All inspection reports for above and below ground plumbing at {}. Record search Nov. 2011 to Aug. 2012.
Tokens prepared for LDA: ['inspection', 'report', 'grind', 'plumb', 'record', 'search', 'november', 'august']
Original Request: Record of 2017 water testing analysis for {} and inspection reports from Dec. 1, 2016 to present.
Tokens prepared for LDA: ['record', 'water', 'analysis', 'inspection', 'report', 'december', 'present']
Original Request: Statistics information on the number of accidents which have occurred at the intersection of Antibes Dr., and Don Lake Gate over the last 2 years (main intersection Bathurst Ave., 2 lights north of Finch Ave.).
Tokens prepared for LDA: ['statistics', 'information', 'accident', 'occur', 'intersection', 'antibes', 'intersection', 'bathurst', 'light', 'north', 'finch']
Original Request: All Toronto Building records for {} under permit 71668, in relation to retaining walls, construction of basement garage and ramp from sidewalk to house. Record search from Jan. 1, 1962 to Jan. 1, 1965.
Tokens prepared for LDA: ['toronto', 'building', 'record', 'permit', '71668', 'relation', 'retain', 'construction', 'basement', 'garage', 'sidewalk', 'house', 'record', 'search', 'january', 'january']
Original Request: Record (list) of all site plan and rezoning applications for use types: multi-residential, commercial, industrial and institutional. This information should include the following: Application number; Application Date etc.
Tokens prepared for LDA: ['record', 'rezoning', 'application', 'multi', 'residential', 'commercial', 'industrial', 'institutional', 'information', 'include', 'follow', 'application', 'application']
Original Request: A copy of tree related infraction notice issued to {} in July 2014.
Tokens prepared for LDA: ['relate', 'infraction', 'notice', 'issue']
Original Request: A copy of permit application for garage construction at {}. Record search 2006 to 2009.
Tokens prepared for LDA: ['permit', 'application', 'garage', 'construction', 'record', 'search']
Original Request: Records related to tobogganing hills and parks in the City as follows: Any documents related to the design of tobogganing hills/parks; Any documents related to the usage of tobogganing hills/parks; Any documents related to signage at tobogganing etc.
Tokens prepared for LDA: ['record', 'relate', 'toboggan', 'follow', 'document', 'relate', 'design', 'toboggan', 'document', 'relate', 'usage', 'toboggan', 'document', 'relate', 'signage', 'toboggan']
Original Request: A copy of health inspection file following bed bug investigation at the residence of {} on Jan. 6, 2017.
Tokens prepared for LDA: ['health', 'inspection', 'follow', 'investigation', 'residence', 'january']
Original Request: Copies of 311 compliant records related service request #: 4315084, 4315940 and 4454419. Record search from Oct. 21, 2016 to Jan. 24, 2017.
Tokens prepared for LDA: ['copy', 'compliant', 'record', 'relate', 'service', 'request', '4315084', '4315940', '4454419', 'record', 'search', 'october', 'january']
Original Request: Inspection records pertaining to file#399 3329 following inspection on Apr. 30, 2016 at to {} following complaints made by then tenant {} regarding smoke and dust entering the apartment.
Tokens prepared for LDA: ['inspection', 'record', 'pertain', 'file#399', 'follow', 'inspection', 'april', 'follow', 'complaint', 'tenant', 'regard', 'smoke', 'enter', 'apartment']
Original Request: Inspection records pertaining to file#399 3329 following inspection on Apr. 30, 2016 at to {} following complaints made by then tenant {} regarding smoke and dust entering the apartment.
Tokens prepared for LDA: ['inspection', 'record', 'pertain', 'file#399', 'follow', 'inspection', 'april', 'follow', 'complaint', 'tenant', 'regard', 'smoke', 'enter', 'apartment']
Original Request: A copy of winning bid documents in response to RFP 2016-310-01 with PortsToronto including, a copy of the current lease agreement for Queens Quay West.
Tokens prepared for LDA: ['document', 'response', 'portstoronto', 'include', 'current', 'lease', 'agreement', 'queens']
Original Request: A copy of work order and investigative report in relation to tree at {} possibly involving another address on Dunn Ave. 311 Ref. # 4429221. Record search from Jan. 8, 2017 to Feb. 7, 2017.
Tokens prepared for LDA: ['order', 'investigative', 'report', 'relation', 'possibly', 'involve', 'address', '4429221', 'record', 'search', 'january', 'february']
Original Request: A copy of order to comply issued to {} in response to 2 decks built without permits. Requested order pre-dates that which was issued on Fe. 1, 2013. Record search Jan. 1, 2000 to Feb. 1, 2013.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'response', 'build', 'permit', 'request', 'order', 'issue', 'record', 'search', 'january', 'february']
Original Request: A copy of all Change Orders and/or Contemplated Change Orders for RFQ Roster Work Assignment No GC 1307-1735/3907-12-5058 State of Good Repair Work at Fairfield Senior Centre.
Tokens prepared for LDA: ['change', 'order', 'and/or', 'contemplate', 'change', 'order', 'roster', 'assignment', '1735/3907', 'state', 'repair', 'fairfield', 'senior', 'centre']
Original Request: All documents / notes pertaining to house at {} Toronto. Record search from Jan. 1, 2008 to Feb. 28, 2017.
Tokens prepared for LDA: ['document', 'pertain', 'house', 'toronto', 'record', 'search', 'january', 'february']
Original Request: A copy of May 2016 arborist report regarding a fence exemption at {}.
Tokens prepared for LDA: ['arborist', 'report', 'regard', 'fence', 'exemption']
Original Request: A copy of 311 service request documents, ref.# 101004468059.
Tokens prepared for LDA: ['service', 'request', 'document', '101004468059']
Original Request: Total number of tickets issued on Fallstaff Ave., for traffic offences i.e. speeding, failure to stop etc. Record search from Dec. 13, 2016 to Feb. 13, 2017.
Tokens prepared for LDA: ['total', 'ticket', 'issue', 'fallstaff', 'traffic', 'offence', 'speed', 'failure', 'record', 'search', 'december', 'february']
Original Request: A copy of construction management plan for The Sumach Condos, currently under construction at Shuter St. and Sumach St., by Chartwell Retirement Residences. Record search from Jan. 1, 2000 to Feb. 8, 2017.
Tokens prepared for LDA: ['construction', 'management', 'sumach', 'condo', 'currently', 'construction', 'shut', 'sumach', 'chartwell', 'retirement', 'residence', 'record', 'search', 'january', 'february']
Original Request: A copy of construction management plan for {}.
Tokens prepared for LDA: ['construction', 'management']
Original Request: A copy of construction management plan for current construction at Beacon Condos. Record search from Jan. 1, 2010 to Feb. 8, 2017.
Tokens prepared for LDA: ['construction', 'management', 'current', 'construction', 'beacon', 'condo', 'record', 'search', 'january', 'february']
Original Request: A copy of 2001 building permit issued for {}.
Tokens prepared for LDA: ['build', 'permit', 'issue']
Original Request: A copy of occupancy permit and related inspection records, working paper specifically those related the certification of grading for {}.
Tokens prepared for LDA: ['occupancy', 'permit', 'relate', 'inspection', 'record', 'paper', 'specifically', 'relate', 'certification', 'grade']
Original Request: Copies of court documents in relation to charged and offences brought against {}: 1. Failure to Surrender Permit Vehicle at the intersection of Finch Ave. W. and Bathurst St. Record search from Jan. 1, 2007 to Jan. 1, 2010.
Tokens prepared for LDA: ['copy', 'court', 'document', 'relation', 'charge', 'offence', 'bring', 'failure', 'surrender', 'permit', 'vehicle', 'intersection', 'finch', 'bathurst', 'record', 'search', 'january', 'january']
Original Request: A copy of construction management plan for The Republic North Tower. Record search from Jan. 1, 2000 to Dec. 31, 2012.
Tokens prepared for LDA: ['construction', 'management', 'republic', 'north', 'tower', 'record', 'search', 'january', 'december']
Original Request: A copy of construction management plan for 209 Victoria St. - St. Michaels Hospital. Record search from Jan. 1, 2000 to Dec. 31, 2013.
Tokens prepared for LDA: ['construction', 'management', 'victoria', 'michael', 'hospital', 'record', 'search', 'january', 'december']
Original Request: A copy of construction management plan for E Condos Comdominuim. Record search from Jan. 1, 2006 to present.
Tokens prepared for LDA: ['construction', 'management', 'condo', 'comdominuim', 'record', 'search', 'january', 'present']
Original Request: A copy of water inspection report for {} on Jan. 11, 2017.
Tokens prepared for LDA: ['water', 'inspection', 'report', 'january']
Original Request: Copies of maintenance records (logs, times, dates etc.) for Riverdale Park West, Diamond 3 from Jun. 2016 to Dec. 31, 2016. Record of all 2016 incidents involving the public, while the park was open and accessible.
Tokens prepared for LDA: ['copy', 'maintenance', 'record', 'riverdale', 'diamond', 'december', 'record', 'incident', 'involve', 'public', 'accessible']
Original Request: A copy of incident report regarding {} while in the science lab of North Toronto Memorial CC in Jan. 2017.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'science', 'north', 'toronto', 'memorial', 'january']
Original Request: Contract details and invoices for all purchases of hydrofluosilicic acid, the product used to fluoridate Toronto's water supply, for 2015, 2016 and if a contract has been awarded for 2017, the details of such contract and invoices etc.
Tokens prepared for LDA: ['contract', 'invoice', 'purchase', 'hydrofluosilicic', 'product', 'fluoridate', 'toronto', 'water', 'supply', 'contract', 'award', 'contract', 'invoice']
Original Request: A complete copy of ML&S investigative file for {} file # 16188167.
Tokens prepared for LDA: ['complete', 'investigative', '16188167']
Original Request: All 311 calls made by {} at {}. Record search from Jan. 1, 2013 to Feb. 1, 2017.
Tokens prepared for LDA: ['record', 'search', 'january', 'february']
Original Request: All documents on file, application forms, correspondence, approvals, refusals, relating to permit # 94-3231 for Ontario Code Retrofit. The property address is {}. Record search from May 1, 1994 to Dec. 31, 1994.
Tokens prepared for LDA: ['document', 'application', 'correspondence', 'approval', 'refusal', 'relate', 'permit', 'ontario', 'retrofit', 'property', 'address', 'record', 'search', 'december']
Original Request: A complete copy of all documents from Toronto Building for {}, dating from jan. 1, 1996 to June1, 2011, including but not limited to, all building applications, drawings, specifications, inspectors notes, deficiency notices.
Tokens prepared for LDA: ['complete', 'document', 'toronto', 'building', 'june1', 'include', 'limit', 'build', 'application', 'drawing', 'specification', 'inspector', 'deficiency', 'notice']
Original Request: All documents from Building to show that the property at {} had been converted to a three-unit dwelling. Record search from 1950 to 2017.
Tokens prepared for LDA: ['document', 'building', 'property', 'convert', 'dwell', 'record', 'search']
Original Request: A copy of building permit file for {} Toronto for permits submitted from 2009 to June 2016.
Tokens prepared for LDA: ['build', 'permit', 'toronto', 'permit', 'submit']
Original Request: Environmental reports related to redevelopment of 2175 Keele St. and are in possession of Gregory Byrne, Senior Planner.
Tokens prepared for LDA: ['environmental', 'report', 'relate', 'redevelopment', 'keele', 'possession', 'gregory', 'byrne', 'senior', 'planner']
Original Request: A copy of the construction management plan for the Keele St. Junior Public School Senior Wing at 99 Mountview Ave., built in 2015/2016.
Tokens prepared for LDA: ['construction', 'management', 'keele', 'junior', 'public', 'school', 'senior', 'mountview', 'build', '2015/2016']
Original Request: A copy of the construction management plan for the Radio City Condominiums at 281 and 285 Mutual St., built in 2005
Tokens prepared for LDA: ['construction', 'management', 'radio', 'condominium', 'mutual', 'build']
Original Request: A copy of the construction management plan for the Minto 30 Roe at 30 Roehampton Ave., currently under construction.
Tokens prepared for LDA: ['construction', 'management', 'minto', 'roehampton', 'currently', 'construction']
Original Request: Installation date, costs of installation and maintenance for the red light camera located at Lawrence Ave. and Yonge St. Also, the number of tickets it gave in February 2015 for 28 days. Record search from Feb. 1, 2015 to Feb. 28, 2015.
Tokens prepared for LDA: ['installation', 'installation', 'maintenance', 'light', 'camera', 'locate', 'lawrence', 'yonge', 'ticket', 'february', 'record', 'search', 'february', 'february']
Original Request: All records pertaining to proposed (forthcoming) shelter closures or the reduction of beds in existing shelters. Record search from September 1, 2016 to present.
Tokens prepared for LDA: ['record', 'pertain', 'propose', 'forthcoming', 'shelter', 'closure', 'reduction', 'exist', 'shelter', 'record', 'search', 'september', 'present']
Original Request: Any and all documentation of the following from Central Intake and Peter Street (as expressed by month and by year): a. percent of people requesting a shelter bed placed in a bed b. total number of requests c. total number of abandoned requests
Tokens prepared for LDA: ['documentation', 'follow', 'central', 'intake', 'peter', 'street', 'express', 'month', 'percent', 'people', 'request', 'shelter', 'place', 'total', 'request', 'total', 'abandon', 'request']
Original Request: Any record/information pertaining to the paving of the pathway for G. Ross Lord Park from Aug. 10, 2013 to Aug. 31, 2015.
Tokens prepared for LDA: ['record', 'information', 'pertain', 'pathway', 'august', 'august']
Original Request: Any and all details concerning the road conditions of the southbound lanes of Jane St. from Sheppard Ave. W. to Wilson Ave. during the month of Oct. 2016.
Tokens prepared for LDA: ['concern', 'condition', 'southbound', 'sheppard', 'wilson', 'month', 'october']
Original Request: Copies of inspector notes for all site visits to {} in relation to, HVAC Permit 16 181376 HVA 00 MS. Inspector Joe Smolich.
Tokens prepared for LDA: ['copy', 'inspector', 'visit', 'relation', 'permit', '181376', 'inspector', 'smolich']
Original Request: Request all records held by the City related to dog ID A648461, including any activity records, ownership records, records of vaccination, or any other records, but excluding the records already sent to you under former FOI request.
Tokens prepared for LDA: ['request', 'record', 'relate', 'a648461', 'include', 'activity', 'record', 'ownership', 'record', 'record', 'vaccination', 'record', 'exclude', 'record', 'request']
Original Request: A copy inspection report related to broken watermain at {}. Record search from 2016 to 2017.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'break', 'watermain', 'record', 'search']
Original Request: All information and agreements relating to south facing 3rd party sign permits issued to {}. Permits and agreements were completed in the 1990's. Record search from Jan. 1, 1990 to Dec. 31, 1999.
Tokens prepared for LDA: ['information', 'agreement', 'relate', 'south', 'party', 'permit', 'issue', 'permit', 'agreement', 'complete', 'record', 'search', 'january', 'december']
Original Request: All permits issued to property located at {}. Record search from Jan. 1, 1976 to Feb. 8, 2017.
Tokens prepared for LDA: ['permit', 'issue', 'property', 'locate', 'record', 'search', 'january', 'february']
Original Request: A copy of Transportation Services inspection reports for {}. Record search from Nov. 22, 2016 to Jan. 30, 2017.
Tokens prepared for LDA: ['transportation', 'services', 'inspection', 'report', 'record', 'search', 'november', 'january']
Original Request: A copy of Transportation Services inspection reports for {}. Record search from Nov. 22, 2016 to Jan. 30, 2017.
Tokens prepared for LDA: ['transportation', 'services', 'inspection', 'report', 'record', 'search', 'november', 'january']
Original Request: Copies of building permit and inspection documents for {} under permits # 170093 & 383771.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'document', 'permit', '170093', '383771']
Original Request: In digital format: a list of all right of entry permits issued in the City of Toronto in the years 2015 and 2016.
Tokens prepared for LDA: ['digital', 'format', 'right', 'entry', 'permit', 'issue', 'toronto']
Original Request: A copy of business licenses in effect as of May 2, 2015 for Mystic Caribbean Restaurant & Bar at 2750 Eglinton Avenue East. If the licenses are held by corporations or LLCs, also include documentation that will identify the officers/members etc.
Tokens prepared for LDA: ['business', 'license', 'effect', 'mystic', 'caribbean', 'restaurant', 'eglinton', 'avenue', 'license', 'corporation', 'include', 'documentation', 'identify', 'officer', 'member']
Original Request: A copy of business licenses in effect as of May 2, 2015 for Mac's Bar & Grill at 2459 Kingston Road. If the licenses are held by corporations or LLCs, also include documentation that will identify the officers/members etc.
Tokens prepared for LDA: ['business', 'license', 'effect', 'grill', 'kingston', 'license', 'corporation', 'include', 'documentation', 'identify', 'officer', 'member']
Original Request: A copy of business licenses in effect as of May 2, 2015 for Windie's Restaurant & Sports Bar at 3330 Lawrence Avenue East. If the licenses are held by corporations or LLCs, also include documentation that will identify the officers/members etc.
Tokens prepared for LDA: ['business', 'license', 'effect', 'windie', 'restaurant', 'sport', 'lawrence', 'avenue', 'license', 'corporation', 'include', 'documentation', 'identify', 'officer', 'member']
Original Request: Record of all ML&S reports and orders related to {} from Dec. 1, 2014 to Dec. 1, 2015.
Tokens prepared for LDA: ['record', 'report', 'order', 'relate', 'december', 'december']
Original Request: Record of all parking complaints received in relation to Binswood Ave between O'Connor Dr. and Plains Ave. from Apr. 1, 2016 to present.
Tokens prepared for LDA: ['record', 'complaint', 'receive', 'relation', 'binswood', "o'connor", 'plain', 'april', 'present']
Original Request: Historical licensing information for Plumbing Plus DrainWorks including any other details which speak to the credibility of this business. Record search from Feb. 15, 2015 to present.
Tokens prepared for LDA: ['historical', 'license', 'information', 'plumbing', 'drainworks', 'include', 'speak', 'credibility', 'business', 'record', 'search', 'february', 'present']
Original Request: Copies of e-mail records containing personal information in relation to the granting of an award to {}. Requested information should relate to the review and approval of the Lifesaving Society's (LSS) Bronze Examiner award to or from the etc.
Tokens prepared for LDA: ['copy', 'record', 'contain', 'personal', 'information', 'relation', 'grant', 'award', 'request', 'information', 'relate', 'review', 'approval', 'lifesaving', 'society', 'bronze', 'examiner', 'award']
Original Request: Record of all 311 calls, property standards, parking enforcement and police records in relation to {}. Record search from Jan. 1, 2016 to Feb. 20, 2017.
Tokens prepared for LDA: ['record', 'property', 'standard', 'enforcement', 'police', 'record', 'relation', 'record', 'search', 'january', 'february']
Original Request: A copy of the contract between Gateway News Stands and the Toronto Transit Commission.
Tokens prepared for LDA: ['contract', 'gateway', 'stand', 'toronto', 'transit', 'commission']
Original Request: 1) Last inspection record of the water mains near Bridletowne Circle and Finch Avenue (North West corner) prior to February 27, 2015; 2) Water pressure reading records for the same water mains in the above intersection during January 1, 2015 to March 31, 2015.
Tokens prepared for LDA: ['inspection', 'record', 'water', 'bridletowne', 'circle', 'finch', 'avenue', 'north', 'corner', 'prior', 'february', 'water', 'pressure', 'record', 'water', 'intersection', 'january', 'march']
Original Request: A copy of the entire animal service file for the dog attack incident involving {} - the victim, on Jan. 10, 2017 at {}. Any similar historical records on the dog and its owner - {}.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'attack', 'incident', 'involve', 'victim', 'january', 'similar', 'historical', 'record', 'owner']
Original Request: A copy of road damage receipt issued in 1991 in connection with building permit # B1103495 for {}.
Tokens prepared for LDA: ['damage', 'receipt', 'issue', 'connection', 'build', 'permit', 'b1103495']
Original Request: In electronic format the minutes of the Parks Forestry and Recreation Business Intelligence Team for the 2016 calendar year.
Tokens prepared for LDA: ['electronic', 'format', 'minute', 'parks', 'forestry', 'recreation', 'business', 'intelligence', 'calendar']
Original Request: Copies of red-light camera stills of a red Ferrari, plate # {removed} which was involved in an accident with a blue Hyundai Sonata, plate # {removed} at the intersection of Yonge St., and Eglinton Ave. E, on Mar. 12, 2016 between 10:30 p.m. and10:45 p.m.
Tokens prepared for LDA: ['copy', 'light', 'camera', 'ferrari', 'plate', 'remove', 'involve', 'accident', 'hyundai', 'sonata', 'plate', 'remove', 'intersection', 'yonge', 'eglinton', 'march', '10:30', 'and10:45']
Original Request: All ML&S orders issued against {} from Feb. 17, 2016 to Feb. 17, 2017.
Tokens prepared for LDA: ['order', 'issue', 'february', 'february']
Original Request: A copy of demolition permit, application and dust control forms for {} from 2012 to present. Also, any related public health documents.
Tokens prepared for LDA: ['demolition', 'permit', 'application', 'control', 'present', 'relate', 'public', 'health', 'document']
Original Request: A copy of 2011 receipt of payment for new water and sewer services to property located at {}.
Tokens prepared for LDA: ['receipt', 'payment', 'water', 'sewer', 'service', 'property', 'locate']
Original Request: A copy of 2012 receipt of payment for new water and sewer services to property located at {}.
Tokens prepared for LDA: ['receipt', 'payment', 'water', 'sewer', 'service', 'property', 'locate']
Original Request: A copy of order to comply issued to {} as a result of fire in Jan. 2017. A copy of listed deficiencies. Record search from Jan. 1, 2017 to Feb. 15, 2017.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'result', 'january', 'deficiency', 'record', 'search', 'january', 'february']
Original Request: All ML&S investigative records related to { from Jan. 31, 2007 to Jan. 31, 2017.
Tokens prepared for LDA: ['investigative', 'record', 'relate', 'january', 'january']
Original Request: All permits issued to property located at {}. Record search from 2012 to present.
Tokens prepared for LDA: ['permit', 'issue', 'property', 'locate', 'record', 'search', 'present']
Original Request: A copy of inspection report for ML&S in relation to {}. Record search from Nov. 2016 to present.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'record', 'search', 'november', 'present']
Original Request: All ML&S complaints related to garage on the property of {}. Record search from May. 31, 2016 to Feb. 25, 2017.
Tokens prepared for LDA: ['complaint', 'relate', 'garage', 'property', 'record', 'search', 'february']
Original Request: A copy of ML&S report regarding temperature readings (2) taken at {} in Jan. 2017.
Tokens prepared for LDA: ['report', 'regard', 'temperature', 'reading', 'january']
Original Request: Still images of red light camera at the intersection of Brimley Rd. and St. Clair Ave., for the time frame 4:30 pm to 4:45 pm on Jan. 17, 2017. Images should capture collision between a white Toyota Venza, plate # {removed} and a white Subaru, plate # {removed}.
Tokens prepared for LDA: ['image', 'light', 'camera', 'intersection', 'brimley', 'clair', 'frame', 'january', 'image', 'capture', 'collision', 'white', 'toyota', 'venza', 'plate', 'remove', 'white', 'subaru', 'plate', 'removed}.']
Original Request: Building permit, closed and supporting documentations such as photos and items that were checked and deemed to be to "code" for permit # 16 145237 BLD 00 SR. Record search from May 5, 2016 to Feb. 2017. Property address is {}
Tokens prepared for LDA: ['building', 'permit', 'close', 'support', 'documentation', 'photo', 'check', 'permit', '145237', 'record', 'search', 'february', 'property', 'address']
Original Request: All building permits, building and fire department inspection notes and records, Committee of Adjustment records for {}. Record search from Jan. 1, 1940 to Feb. 28, 2017.
Tokens prepared for LDA: ['build', 'permit', 'build', 'department', 'inspection', 'record', 'committee', 'adjustment', 'record', 'record', 'search', 'january', 'february']
Original Request: A copy of customer complaint at Greenhouse Juice Co., 328 Lonsdale Rd. from Toronto Public Health. Food safety inspection report notes from Natalya Plotnikova (ref. # 103899678); notes from visits to Greenhouse Juice on Jan. 26, 27, 31, 2017 and Feb. 22.
Tokens prepared for LDA: ['customer', 'complaint', 'greenhouse', 'juice', 'lonsdale', 'toronto', 'public', 'health', 'safety', 'inspection', 'report', 'natalya', 'plotnikova', '103899678', 'visit', 'greenhouse', 'juice', 'january', 'february']
Original Request: ML&S inspection report for {}. Inspection was done by Jeffrey Kan, ML&S Officer on Sept. 30, 2016. The issues were missing bedroom windows.
Tokens prepared for LDA: ['inspection', 'report', 'inspection', 'jeffrey', 'officer', 'september', 'issue', 'bedroom', 'window']
Original Request: Recent list of all registered condominium buildings with complete addresses, corporation numbers and any related building characteristics in City of Toronto, in electronic / digitized format. Record search from Dec. 31, 2013 to Dec. 31, 2016.
Tokens prepared for LDA: ['recent', 'register', 'condominium', 'building', 'complete', 'address', 'corporation', 'number', 'relate', 'build', 'characteristic', 'toronto', 'electronic', 'digitize', 'format', 'record', 'search', 'december', 'december']
Original Request: 1. The surveillance video of {} visit and subsequent arrest in the lobby of the Toronto Employment and Social Services Office, 111 Wellesley St. E. Toronto on September 20, 2016 at approximately 8:30 a.m.
Tokens prepared for LDA: ['surveillance', 'video', 'visit', 'subsequent', 'arrest', 'lobby', 'toronto', 'employment', 'social', 'services', 'office', 'wellesley', 'toronto', 'september', 'approximately']
Original Request: Copies of all documents related to the winning proponent for RFP No. 9119-16-7087 including interview notes ad submissions pertaining to the decision of the award.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'proponent', 'include', 'interview', 'submission', 'pertain', 'decision', 'award']
Original Request: Copies of red-light camera stills of a white Toyota Venza, plate # {removed} which was involved in an accident with a white Subaru Forrester, plate # {removed} at the intersection of Brimley Rd., and St. Clair Ave.
Tokens prepared for LDA: ['copy', 'light', 'camera', 'white', 'toyota', 'venza', 'plate', 'remove', 'involve', 'accident', 'white', 'subaru', 'forrester', 'plate', 'remove', 'intersection', 'brimley', 'clair']
Original Request: All e-mails, memos (including hand written), briefing notes, reports and presentations between Councillor Norm Kelly, Jerry Nasr, Paula Goncalves, Tas Borovilos, Lynda Bowerman and Tania De Gasperis regarding the @norm account, including planned etc.
Tokens prepared for LDA: ['include', 'write', 'brief', 'report', 'presentation', 'councillor', 'kelly', 'jerry', 'paula', 'goncalves', 'borovilos', 'lynda', 'bowerman', 'tania', 'gasperis', 'regard', '@norm', 'account', 'include']
Original Request: A copy of occupancy permit for {}. Record search from Nov. 1, 2016 to Feb. 1, 2017.
Tokens prepared for LDA: ['occupancy', 'permit', 'record', 'search', 'november', 'february']
Original Request: A copy of building file for {} from Nov. 1989 to Jan. 2017.
Tokens prepared for LDA: ['build', 'november', 'january']
Original Request: A copy of building file for {} from Nov. 1989 to Jan. 2017.
Tokens prepared for LDA: ['build', 'november', 'january']
Original Request: A list of buildings by address, that Toronto Fire Services have closed in the last year due to of violations of the fire code, sorted by month and detailing the reason for forced closure.
Tokens prepared for LDA: ['building', 'address', 'toronto', 'services', 'close', 'violation', 'month', 'reason', 'force', 'closure']
Original Request: A copy of June 29, 2016 fire inspection report for {}.
Tokens prepared for LDA: ['inspection', 'report']
Original Request: A complete list of Uber drivers registered with the City of Toronto which includes: the primary insurer of their vehicles and confirmation of their criminal record check. Record search from Jun. 15, 2016 to present.
Tokens prepared for LDA: ['complete', 'driver', 'register', 'toronto', 'include', 'primary', 'insurer', 'vehicle', 'confirmation', 'criminal', 'record', 'check', 'record', 'search', 'present']
Original Request: Information on the red light camera located at Erin Mills Parkway and Folkway Dr., Mississauga on May 23, 2016 at 6.26 pm.; calibration records/frequency of cal. and maintenance records.
Tokens prepared for LDA: ['information', 'light', 'camera', 'locate', 'mills', 'parkway', 'folkway', 'mississauga', 'calibration', 'record', 'frequency', 'maintenance', 'record']
Original Request: Records/reports of City planning staff response to denied/rejected building plan permits/applications overturned by the OMB. Record search from Jan. 1, 2014 to Mar. 8, 2017.
Tokens prepared for LDA: ['record', 'report', 'staff', 'response', 'reject', 'build', 'permit', 'application', 'overturn', 'record', 'search', 'january', 'march']
Original Request: A copy of Police investigation report #400077-17 relating to {}. Record search from March 1 to March 8, 2017.
Tokens prepared for LDA: ['police', 'investigation', 'report', '400077', 'relate', 'record', 'search', 'march', 'march']
Original Request: A copy of animal services file #A16-006322 in relation to dog bite incident involving dog owned by {} in Feb. 2016.
Tokens prepared for LDA: ['animal', 'service', '006322', 'relation', 'incident', 'involve', 'february']
Original Request: Police notes/statements of an incident on Feb. 10, 2005 between {} of {} and {} of {.}.
Tokens prepared for LDA: ['police', 'statement', 'incident', 'february']
Original Request: A copy of animal services complaint # A16-050395 including logs made by animal services staff relating to the dog barking. Record search from Sept. 2016 to present.
Tokens prepared for LDA: ['animal', 'service', 'complaint', '050395', 'include', 'animal', 'service', 'staff', 'relate', 'record', 'search', 'september', 'present']
Original Request: The dash camera footage and the audio recording from the police cruiser of Toronto Police officer Anita Poole (#9936) from 12:30 - 15:30 HRS on October 10th, 2015. This is in relation to the traffic incident which took place during this time.
Tokens prepared for LDA: ['camera', 'footage', 'audio', 'record', 'police', 'cruiser', 'toronto', 'police', 'officer', 'anita', 'poole', '12:30', '15:30', 'october', 'relation', 'traffic', 'incident', 'place']
Original Request: All records from Sept. 1, 2005 to Dec. 31, 2016 resulting from or relating to the Toronto District School Board forms: 569A - Crisis Report Form; 697A - Safe and Caring Schools Incident Reporting Form Part I; 697-B Safe and Caring Schools Incident.
Tokens prepared for LDA: ['record', 'september', 'december', 'result', 'relate', 'toronto', 'district', 'school', 'board', 'crisis', 'report', 'caring', 'school', 'incident', 'reporting', '697-b', 'caring', 'school', 'incident']
Original Request: A copy of response provided by the supervisor personnel in relation to complaint made on May 25, 2016 regarding an operator. Reference report# 73994. Records should include any other further action that has been taken after the initial response given etc.
Tokens prepared for LDA: ['response', 'provide', 'supervisor', 'personnel', 'relation', 'complaint', 'regard', 'operator', 'reference', 'report', '73994', 'record', 'include', 'action', 'initial', 'response']
Original Request: Copies of all e-mails written by officials in the City Manager's Office, the Treasurer's Office and Legal Services dealing with the amount of payments in lieu of taxes payable; with respect to the Billy Bishop Toronto Airport property.
Tokens prepared for LDA: ['copy', 'write', 'official', 'manager', 'office', 'treasurer', 'office', 'legal', 'services', 'payment', 'taxis', 'payable', 'respect', 'billy', 'bishop', 'toronto', 'airport', 'property']
Original Request: All correspondence, internal and external regarding the newly acquired city park at 1100 Briar Hill Ave connected to planning file # (13-221087-NNY-15-OZ).
Tokens prepared for LDA: ['correspondence', 'internal', 'external', 'regard', 'newly', 'acquire', 'briar', 'connect', '221087-nny-15-oz']
Original Request: Any information about the decision making process undertaken by Parks, Forestry and Recreation staff, including the criteria used in choosing () as a forester in charge, and Schmidt Logging to respectively oversee and complete the logging .
Tokens prepared for LDA: ['information', 'decision', 'process', 'undertake', 'parks', 'forestry', 'recreation', 'staff', 'include', 'criterium', 'choose', 'forester', 'charge', 'schmidt', 'logging', 'respectively', 'oversee', 'complete']
Original Request: Any and all communication from the Consultant to PFR staff concerning the logging operation that took place at the Guildwood and South Marine Parks from Jan. 1, 2014 to March 30, 2014.
Tokens prepared for LDA: ['communication', 'consultant', 'staff', 'concern', 'operation', 'place', 'guildwood', 'south', 'marine', 'parks', 'january', 'march']
Original Request: Copies of all invoices from Dec. 20, 2013 to May 25, 2014 in which the City of Toronto utilized outside sources, contractors to undertake work and services related to the Ice Storm clean up including, but not limited to all invoices.
Tokens prepared for LDA: ['copy', 'invoice', 'december', 'toronto', 'utilize', 'outside', 'source', 'contractor', 'undertake', 'service', 'relate', 'storm', 'clean', 'include', 'limit', 'invoice']
Original Request: All correspondence, notes, meeting details with Adam Vaughan, City employee, fire department, ESA, or the by-law enforcement personnel, regarding the Comfort Zone at 480 Spadina Rd., including any discussions or meetings with (Personal Information Severed)
Tokens prepared for LDA: ['correspondence', 'vaughan', 'employee', 'department', 'enforcement', 'personnel', 'regard', 'comfort', 'spadina', 'include', 'discussion', 'meeting', 'personal', 'information', 'sever']
Original Request: Records of all EMS calls between Jan. 1 2010 to present, including the prime street, cross street, dispatch time, incident number, incident type, alarm level, area, dispatched units, and other data from the computer aided dispatch system.
Tokens prepared for LDA: ['record', 'january', 'present', 'include', 'prime', 'street', 'cross', 'street', 'dispatch', 'incident', 'incident', 'alarm', 'level', 'dispatch', 'datum', 'computer', 'dispatch']
Original Request: Records of all EMS calls between Jan. 1 2010 to present, including the prime street, cross street, dispatch time, incident number, incident type, alarm level, area, dispatched units, and other data from the computer aided dispatch system.
Tokens prepared for LDA: ['record', 'january', 'present', 'include', 'prime', 'street', 'cross', 'street', 'dispatch', 'incident', 'incident', 'alarm', 'level', 'dispatch', 'datum', 'computer', 'dispatch']
Original Request: Copies of documents relating to the proposed 2014 Municipal Election -Internet Voting Service for Persons with Disabilities:
Tokens prepared for LDA: ['copy', 'document', 'relate', 'propose', 'municipal', 'election', '-internet', 'voting', 'service', 'person', 'disability']
Original Request: Copies of documents relating to the proposed 2014 Municipal Election -Internet Voting Service for Persons with Disabilities:
Tokens prepared for LDA: ['copy', 'document', 'relate', 'propose', 'municipal', 'election', '-internet', 'voting', 'service', 'person', 'disability']
Original Request: A copy of receipt for MRDD road damage deposit, permit No. 11-331760 and 11331769.
Tokens prepared for LDA: ['receipt', 'damage', 'deposit', 'permit', '331760', '11331769']
Original Request: Record of all parking tickets issued from Jan 1, 2008 to the most current date (in tabular electronic format) showing: Tag_Number_Masked, Date Of Infraction, Infraction Code, Infraction_Description, Set_Fine_Amount, Time_Of_Infraction, Location 1, Locati
Tokens prepared for LDA: ['record', 'ticket', 'issue', 'current', 'tabular', 'electronic', 'format', 'tag_number_masked', 'infraction', 'infraction', 'infraction_description', 'set_fine_amount', 'time_of_infraction', 'location', 'locati']
Original Request: Any records, notes, e-mails, letters and all communication between Ann Ulusoy, Jim Hart, Richard Ubbens, Pat Profiti, John Fulton, David Hains, Rocco LiCalzi, Mark Lawson, Councillor Doucette and all outside parties and members of the public.
Tokens prepared for LDA: ['record', 'letter', 'communication', 'ulusoy', 'richard', 'ubbens', 'profiti', 'fulton', 'david', 'hains', 'rocco', 'licalzi', 'lawson', 'councillor', 'doucette', 'outside', 'party', 'member', 'public']
Original Request: A copy of the signed "Fair Wage Policy and Labour Trades Requirement" for RFP No. 9101-14-7002 signed and duly filled out by GS4 Security Solutions upon award of the noted RFP. A copy of completed copy of Appendix E Technical Proposal Evaluation Form.
Tokens prepared for LDA: ['policy', 'labour', 'trade', 'requirement', 'security', 'solution', 'award', 'complete', 'appendix', 'technical', 'proposal', 'evaluation']
Original Request: Copies of documents from Festival Management Committee Scotiabank Caribbean Carnival Toronto from 2011 to present: 1. Financial Audits 2. Annual Funding Request 3. Annual Report
Tokens prepared for LDA: ['copy', 'document', 'festival', 'management', 'committee', 'scotiabank', 'caribbean', 'carnival', 'toronto', 'present', 'financial', 'audit', 'annual', 'funding', 'request', 'annual', 'report']
Original Request: Copies of documents from Festival Management Committee (Scotiabank Caribbean Carnival Toronto) from 2011 to present: 1. Financial Audits 2. Annual Funding Request 3. Annual Report
Tokens prepared for LDA: ['copy', 'document', 'festival', 'management', 'committee', 'scotiabank', 'caribbean', 'carnival', 'toronto', 'present', 'financial', 'audit', 'annual', 'funding', 'request', 'annual', 'report']
Original Request: All e-mails, electronic communication and city documents involving or mentioning (Mondelez Canada). Records from: Mayor Ford, Mark Towhey, Earl Provost, Jennifer Keesmaat, Michael Williams, Councillor Doug Ford, and Amin Massoudi, Jan. 2012 to Dec. 2013.
Tokens prepared for LDA: ['electronic', 'communication', 'document', 'involve', 'mention', 'mondelez', 'canada', 'record', 'mayor', 'towhey', 'provost', 'jennifer', 'keesmaat', 'michael', 'williams', 'councillor', 'massoudi', 'january', 'december']
Original Request: Record of all memos, e-mails, purchase orders, attachments and schematics related to the construction of the Richmond-Adelaide Cycle Track Pilot Project from Jun. 1, 2014 to Aug. 7, 2014.
Tokens prepared for LDA: ['record', 'purchase', 'order', 'attachment', 'schematic', 'relate', 'construction', 'richmond', 'adelaide', 'cycle', 'track', 'pilot', 'project', 'august']
Original Request: A copy of any complaint records relating to the maintenance of the intersection of Sheppard Ave. East and Birchmount Road from 1 year prior to May 12, 2014 to the present.
Tokens prepared for LDA: ['complaint', 'record', 'relate', 'maintenance', 'intersection', 'sheppard', 'birchmount', 'prior', 'present']
Original Request: A copy of all documents of any nature whatsoever relating to the ongoing work/redevelopment at the Irving Chapley Park on Wilmington Ave. including copies of any contracts with contractors/sub-contractors etc.
Tokens prepared for LDA: ['document', 'nature', 'whatsoever', 'relate', 'ongoing', 'redevelopment', 'irving', 'chapley', 'wilmington', 'include', 'contract', 'contractor', 'contractor']
Original Request: A copy of e-mail sent by () from the (Academy of Latin Baseball of Toronto) to (Rose Jones-Imhotep) of PFR on Dec. 17, 2009.
Tokens prepared for LDA: ['academy', 'latin', 'baseball', 'toronto', 'jones', 'imhotep', 'december']
Original Request: Copies of all documents including e-mails regarding the cancelling of the permit for the "Jesus In The City" parade/event schedules for Sept. 6, 2014. Records search to to be from May 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'document', 'include', 'regard', 'cancel', 'permit', 'jesus', 'parade', 'event', 'schedule', 'september', 'record', 'search', 'present']
Original Request: Copies of any documents and pictures regarding inspection done at (Address and Suite number removed) from Aug. 16, 2014 to present Ref. #: 211489 PRS 00 IV, 14 211 490 PRS 00 IV. Investigating Officer, Peter Nelson.
Tokens prepared for LDA: ['copy', 'document', 'picture', 'regard', 'inspection', 'address', 'suite', 'remove', 'august', 'present', '211489', 'investigating', 'officer', 'peter', 'nelson']
Original Request: All e-mails sent by members of council (both councillor_, and other City addresses such as sdoucet2@toronto.ca and vanity e-mails such as deputymayor) to Anthony Haines of (Toronto Hydro) from Dec. 20, 2013 to Jan. 15, 2014.
Tokens prepared for LDA: ['member', 'council', 'councillor', 'address', 'sdoucet2@toronto.ca', 'vanity', 'deputymayor', 'anthony', 'haines', 'toronto', 'hydro', 'december', 'january']
Original Request: Record of all incident reports from COT corporate security including any charges laid against (Personal Information Severed - Section 14) from Jun. 1, 2014 to Aug. 30, 2014.
Tokens prepared for LDA: ['record', 'incident', 'report', 'corporate', 'security', 'include', 'charge', 'personal', 'information', 'sever', 'section', 'august']
Original Request: A copy of the 2007 arborist report for (.).
Tokens prepared for LDA: ['arborist', 'report']
Original Request: Record of all past history inspection reports for (.) under investigation folder # 03 120013 BR, from 2002 to present.
Tokens prepared for LDA: ['record', 'history', 'inspection', 'report', 'investigation', 'folder', '120013', 'present']
Original Request: A complete copy of the "Rush Hour Sharrow Evaluation" report conducted in 2010 on sharrows installed on College St.
Tokens prepared for LDA: ['complete', 'sharrow', 'evaluation', 'report', 'conduct', 'sharrows', 'install', 'college']
Original Request: Video footage from traffic camera of accident which occurred on the Allen Rd, north bound on Dec. 17, 2013 in the early morning causing damage to (Dufferin Construction) traffic signage located on the right shoulder on the Allen right after Lawrence Ave.
Tokens prepared for LDA: ['video', 'footage', 'traffic', 'camera', 'accident', 'occur', 'allen', 'north', 'december', 'early', 'morning', 'cause', 'damage', 'dufferin', 'construction', 'traffic', 'signage', 'locate', 'right', 'shoulder', 'allen', 'right', 'lawrence']
Original Request: Name of the contractor or permit information of the company/contractor completing work at (.) between Sept. 1, 2012 and Dec. 1, 2012.
Tokens prepared for LDA: ['contractor', 'permit', 'information', 'company', 'contractor', 'complete', 'september', 'december']
Original Request: Record of any outstanding work orders, deficiency notices or other issues pertaining to (.) respecting garbage disposal, solid waste and or hazardous waste material collected from or remaining on the property and outstanding levies.
Tokens prepared for LDA: ['record', 'outstanding', 'order', 'deficiency', 'notice', 'issue', 'pertain', 'respect', 'garbage', 'disposal', 'solid', 'waste', 'hazardous', 'waste', 'material', 'collect', 'remain', 'property', 'outstanding']
Original Request: Record of permits for road, water, or sewer works at (.) from April 26, 2013 to April 30, 2014. Documents relating to water work or sewer work at the above address from April 1, 2014 to present.
Tokens prepared for LDA: ['record', 'permit', 'water', 'sewer', 'april', 'april', 'document', 'relate', 'water', 'sewer', 'address', 'april', 'present']
Original Request: Any information for (..) pertaining to building permits, inspections, applications for renovations, building constructions etc., from 2004 to present.
Tokens prepared for LDA: ['information', 'pertain', 'build', 'permit', 'inspection', 'application', 'renovation', 'build', 'construction', 'present']
Original Request: All information regarding semi-detached garage demolition at (. including all engineering and building inspection reports etc. Record search from 2011 to 2013.
Tokens prepared for LDA: ['information', 'regard', 'detach', 'garage', 'demolition', 'include', 'engineer', 'build', 'inspection', 'report', 'record', 'search']
Original Request: A written copy of information verbally given to The Ombudsman Office by (Personal Information Severed) stating; "database" indicates right of way behind {} belongs to owner of said address. Record search from Jan. 2014 to present.
Tokens prepared for LDA: ['write', 'information', 'verbally', 'ombudsman', 'office', 'personal', 'information', 'sever', 'state', 'database', 'indicate', 'right', 'belong', 'owner', 'address', 'record', 'search', 'january', 'present']
Original Request: Any and all reports for (.) pertaining to 311 complaints (2886539, 2886549 & 70105428) made regarding landlord (Iraj Nasrollahi) including the number of reports from Toronto Fire. Record search from Feb. 1, 2012 to present.
Tokens prepared for LDA: ['report', 'pertain', 'complaint', '2886539', '2886549', '70105428', 'regard', 'landlord', 'nasrollahi', 'include', 'report', 'toronto', 'record', 'search', 'february', 'present']
Original Request: Any and all records for (.) and (Havecare Investments Inc.) of violations and order issued from Jan. 1, 2011 to Oct. 1, 2014.
Tokens prepared for LDA: ['record', 'havecare', 'investment', 'violation', 'order', 'issue', 'january', 'october']
Original Request: A copy of Committee of Adjustment files for (.); B-054-91 (consent App.), A-1426-80, A-685-77., for land severance application process.
Tokens prepared for LDA: ['committee', 'adjustment', 'b-054', 'consent', 'a-1426', 'a-685', 'severance', 'application', 'process']
Original Request: A copy of Toronto Public Health investigation of transmission of HCV linked to the (Company ). The interim report was issued in March 2013.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'investigation', 'transmission', 'company', 'interim', 'report', 'issue', 'march']
Original Request: A copy of bed bug / mould report dated Aug. 22, 2014 under reference # 117776.
Tokens prepared for LDA: ['mould', 'report', 'august', 'reference', '117776']
Original Request: Interior and exterior temperatures recorded under Property Standards Investigation # 14 110855 HEA 00 IR Report, and # 14 113375 PRS 00 IR Report, from Jan. 29, 2014 to Feb. 4, 2014 for ().
Tokens prepared for LDA: ['interior', 'exterior', 'temperature', 'record', 'property', 'standard', 'investigation', '110855', 'report', '113375', 'report', 'january', 'february']
Original Request: Records for any type of roadwork or repair which has been conducted by any City department on Hillsview Ave., M6P 1J4 (entire street) from Jan. 1, 2006 to Sept. 5, 2014.
Tokens prepared for LDA: ['record', 'roadwork', 'repair', 'conduct', 'department', 'hillsview', 'entire', 'street', 'january', 'september']
Original Request: All legal opinions with respect to the City of Toronto's smart water meter program including the implementing by-law and provincial enabling legislation.
Tokens prepared for LDA: ['legal', 'opinion', 'respect', 'toronto', 'smart', 'water', 'meter', 'program', 'include', 'implement', 'provincial', 'enable', 'legislation']
Original Request: Copy of Toronto Water report regarding (.), under reference # 2885600.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'regard', 'reference', '2885600']
Original Request: A copy of building documents for (.) pertaining to permit No. 11 139921 BLD/HVA/PLB including: permit applications, inspection reports/ notes, correspondence of inspectors or other city staff in relation to these permits and inspections.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'permit', '139921', 'include', 'permit', 'application', 'inspection', 'reports/', 'correspondence', 'inspector', 'staff', 'relation', 'permit', 'inspection']
Original Request: A copy of building documents for (.) pertaining to permit No. 13 202623 DEM, 13 202626 BLD/HVA/PLB, 13 245417 & 13 245427 FEN 00 IR including: permit applications, inspection reports/ notes, correspondence of inspectors or other city staff
Tokens prepared for LDA: ['build', 'document', 'pertain', 'permit', '202623', '202626', '245417', '245427', 'include', 'permit', 'application', 'inspection', 'reports/', 'correspondence', 'inspector', 'staff']
Original Request: A copy of documents pertaining to water damage to the building of (Santa Cruz Parish) at ().: all work orders and internal requisitions (No. A1544); flooding records (No. W0066); plumbing and drainage maintenance record No. W0074.
Tokens prepared for LDA: ['document', 'pertain', 'water', 'damage', 'build', 'santa', 'parish', 'order', 'internal', 'requisition', 'a1544', 'flood', 'record', 'w0066', 'plumb', 'drainage', 'maintenance', 'record', 'w0074']
Original Request: A copy of permit application to destroy privately owned tree at (.), and associated arborist report.
Tokens prepared for LDA: ['permit', 'application', 'destroy', 'privately', 'associate', 'arborist', 'report']
Original Request: Detailed record of complaints regarding neglect in maintenance at (.) since 2006 to present.
Tokens prepared for LDA: ['detail', 'record', 'complaint', 'regard', 'neglect', 'maintenance', 'present']
Original Request: Detailed record of complaints regarding neglect in maintenance at (.) since 2006 to present.
Tokens prepared for LDA: ['detail', 'record', 'complaint', 'regard', 'neglect', 'maintenance', 'present']
Original Request: Any information pertaining to permit No. 405064 (Yonge & Eglington Silvercity - 2300 Yonge St.) from Jan. 1, 1998 to Dec. 31, 1998.
Tokens prepared for LDA: ['information', 'pertain', 'permit', '405064', 'yonge', 'eglington', 'silvercity', 'yonge', 'january', 'december']
Original Request: Contents of application i.e. all documents produced and related thereto; made by () of (Zip Signs) with respect to sign variance for (), Ref. No. 08 158328.
Tokens prepared for LDA: ['contents', 'application', 'document', 'produce', 'relate', 'thereto', 'sign', 'respect', 'variance', '158328']
Original Request: A copy of the preliminary review for the 2 site proposals for (.) submitted in 2013.
Tokens prepared for LDA: ['preliminary', 'review', 'proposal', 'submit']
Original Request: Detailed record of all complaints against temple at (3011 Markham Rd., Units 61-64) from Jan 2014 to present.
Tokens prepared for LDA: ['detail', 'record', 'complaint', 'temple', 'markham', 'unit', 'present']
Original Request: Record of all documents related to visits by Toronto Animal Services to the home of (Personal Information Severed) at (Unit number removed), (603 Thorncliffe Park Dr.) including, all complaints about the dog at the above address from 2008 to present.
Tokens prepared for LDA: ['record', 'document', 'relate', 'visit', 'toronto', 'animal', 'services', 'personal', 'information', 'sever', 'remove', 'thorncliffe', 'include', 'complaint', 'address', 'present']
Original Request: Record of any notes, memoranda etc. pertaining to call made by (Personal Information Severed) to 311 on or about Mar. 17, 2014, ref. # 2604526.
Tokens prepared for LDA: ['record', 'memorandum', 'pertain', 'personal', 'information', 'sever', 'march', '2604526']
Original Request: A complete copy of the committee of adjustments file for (.) owned by (Personal Information Severed) including all notices sent to the owner. Record search from Mar. 1987 to present.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'personal', 'information', 'sever', 'include', 'notice', 'owner', 'record', 'search', 'march', 'present']
Original Request: Any and all documents, relating to the relationship with, submitted to or by, and between the Mccormick Arena board chairman and its members and the Parkdale Flames Hockey Association; Mccormick Arena board monthly meeting minutes; correspondence etc.
Tokens prepared for LDA: ['document', 'relate', 'relationship', 'submit', 'mccormick', 'arena', 'board', 'chairman', 'member', 'parkdale', 'flame', 'hockey', 'association', 'mccormick', 'arena', 'board', 'monthly', 'minute', 'correspondence']
Original Request: A complete copy of the committee of adjustments file for () including all permit applications, notices of inspection and any inquiries for rezoning. Record search from Oct1. 1998 to March 2002.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'include', 'permit', 'application', 'notice', 'inspection', 'inquiry', 'rezoning', 'record', 'search', 'march']
Original Request: A copy of all records relating to sidewalk maintenance, inspection and repairs that took place on Tunmead Square from Jan. 1, 2013 to date; including, all 311 calls and other complaints received for the same time period.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'repair', 'place', 'tunmead', 'square', 'january', 'include', 'complaint', 'receive', 'period']
Original Request: Record of all complaints made by (Personal Information Severed) of () regarding bed bugs (Feb., Mar., Jun., July & Oct., 2013); to 311 on Mar. 1, 2013 regarding roaches, snow removal and rooming house (13 126967 PRS OO IR) etc.
Tokens prepared for LDA: ['record', 'complaint', 'personal', 'information', 'sever', 'regard', 'february', 'march', 'october', 'march', 'regard', 'roach', 'removal', 'house', '126967']
Original Request: Any and all documents pertaining to () regarding the HVAC and sprinkler systems, including but not limited to related drawings as well as permit applications and approval documents between the date of construction of the premises.
Tokens prepared for LDA: ['document', 'pertain', 'regard', 'sprinkler', 'include', 'limit', 'relate', 'drawing', 'permit', 'application', 'approval', 'document', 'construction', 'premise']
Original Request: Any and all documents pertaining to () regarding the HVAC and sprinkler systems, including but not limited to related drawings as well as permit applications and approval documents between the date of construction of the premises.
Tokens prepared for LDA: ['document', 'pertain', 'regard', 'sprinkler', 'include', 'limit', 'relate', 'drawing', 'permit', 'application', 'approval', 'document', 'construction', 'premise']
Original Request: A list of all complaints relating to the garage only that were submitted to the City for (.) from 1999 to 2014.
Tokens prepared for LDA: ['complaint', 'relate', 'garage', 'submit']
Original Request: All work orders against the apartment units at () from ML&S from Jan. 1, 2005 to Sept. 10, 2014.
Tokens prepared for LDA: ['order', 'apartment', 'january', 'september']
Original Request: Records from Toronto Animal Services, including quarantine notes and inspector's notes, relating to a dog bit incident that occurred on Dec. 18, 2012 at ().
Tokens prepared for LDA: ['record', 'toronto', 'animal', 'services', 'include', 'quarantine', 'inspector', 'relate', 'incident', 'occur', 'december']
Original Request: A copy of inspection report for () pertaining to mold in the ceilings. Inspector - Ahmad Ahmadzes of TPH on Sept. 8, 2014 at 12:30 PM.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'ceiling', 'inspector', 'ahmad', 'ahmadzes', 'september', '12:30']
Original Request: A copy of all documents for stair installation at (), ref. #. E 2762806 including documents for work order H 1772531, issued Oct. 29, 2012.
Tokens prepared for LDA: ['document', 'stair', 'installation', '2762806', 'include', 'document', 'order', '1772531', 'issue', 'october']
Original Request: A copy of inspection report for balconies at (), folder. #. 10-265389. Inspector was Joe Luzi. The report was done by (Oxford Properties Group's) enginner and put on file.
Tokens prepared for LDA: ['inspection', 'report', 'balcony', 'folder', '265389', 'inspector', 'report', 'oxford', 'property', 'group', 'enginner']
Original Request: A copy of inspection report for balconies at (), folder. #. 10-265389. Inspector was Joe Luzi. The property was inspected by (Oxford Properties Group's) engineer and the report was put on file
Tokens prepared for LDA: ['inspection', 'report', 'balcony', 'folder', '265389', 'inspector', 'property', 'inspect', 'oxford', 'property', 'group', 'engineer', 'report']
Original Request: Any complaints from neighbor pertaining to hedging or fence at (, from MLS staff, Mark Sraga and also Toronto Building, from May 1, 2014 to present.
Tokens prepared for LDA: ['complaint', 'neighbor', 'pertain', 'hedge', 'fence', 'staff', 'sraga', 'toronto', 'building', 'present']
Original Request: Record of pipe/ drain/sewer maintainance and work orders for area spanning () from Jul. 2008 to September 2014.
Tokens prepared for LDA: ['record', 'pipe/', 'drain', 'sewer', 'maintainance', 'order', 'september']
Original Request: Records on file for () pertaining to permit 12 224 189: engineers reports (addressing ongoing construction issues), City inspector's reports with recommendations and any by-law violations etc.
Tokens prepared for LDA: ['record', 'pertain', 'permit', 'engineer', 'report', 'address', 'ongoing', 'construction', 'issue', 'inspector', 'report', 'recommendation', 'violation']
Original Request: Record of Mayor's Office communications related to sewers and water supply incl any communications with anyone at or representing Maple Leaf Foods, Weston Bakeries, Canada Bread Co. or Santa Maria Foods Corp.
Tokens prepared for LDA: ['record', 'mayor', 'office', 'communication', 'relate', 'sewer', 'water', 'supply', 'communication', 'represent', 'maple', 'food', 'weston', 'bakery', 'canada', 'bread', 'santa', 'maria', 'food', 'corp.']
Original Request: Records of Mayor's Office communications related to bread supply contracts including: Any communications (including e-mails, memos, notes, and reports) from the Mayor's Office, DCM Rossini, CMO, Treasurer, PMMD, and Canada Bread.
Tokens prepared for LDA: ['record', 'mayor', 'office', 'communication', 'relate', 'bread', 'supply', 'contract', 'include', 'communication', 'include', 'report', 'mayor', 'office', 'rossini', 'treasurer', 'canada', 'bread']
Original Request: Records of Mayor's Office communications related to Eastern Ave. developments incl.communications from City Planning, DCM Livey's office and 2122498 Ontario Ltd., Bousfields Inc., Weston Bakeries or George Weston Ltd. regarding planning applications.
Tokens prepared for LDA: ['record', 'mayor', 'office', 'communication', 'relate', 'eastern', 'development', 'incl.communications', 'planning', 'livey', 'office', '2122498', 'ontario', 'bousfields', 'weston', 'bakery', 'george', 'weston', 'regard', 'application']
Original Request: A copy of building permit for garage construction at (). Record search from 2009 to 2014.
Tokens prepared for LDA: ['build', 'permit', 'garage', 'construction', 'record', 'search']
Original Request: All correspondence including e-mails, documents and memos, between Councillors: Mark Grimes, Giorgio Mammoliti, Karen Stintz, Joe Mihevc, Mayor Rob Ford and associates of the Toronto Argonauts: Beth Waldman, Eric Holmes, team CEO Chris Rudge etc.
Tokens prepared for LDA: ['correspondence', 'include', 'document', 'councillor', 'grime', 'giorgio', 'mammoliti', 'karen', 'stintz', 'mihevc', 'mayor', 'associate', 'toronto', 'argonaut', 'waldman', 'holmes', 'chris', 'rudge']
Original Request: All correspondence including e-mails, documents and memos, between Councillors: Mark Grimes, Giorgio Mammoliti, Karen Stintz, Joe Mihevc, Mayor Rob Ford and associates of the Toronto Argonauts: Beth Waldman, Eric Holmes, team CEO Chris Rudge etc.
Tokens prepared for LDA: ['correspondence', 'include', 'document', 'councillor', 'grime', 'giorgio', 'mammoliti', 'karen', 'stintz', 'mihevc', 'mayor', 'associate', 'toronto', 'argonaut', 'waldman', 'holmes', 'chris', 'rudge']
Original Request: Any and all records for building permits regarding (): 05-114859 BLD, 05-01148959 PLB, 05-114859 HVAC including other permits and inspection notes, reports concerns etc. from 2005 to 2012.
Tokens prepared for LDA: ['record', 'build', 'permit', 'regard', '114859', '01148959', '114859', 'include', 'permit', 'inspection', 'report', 'concern']
Original Request: All communication, e-mails, memos, letters, briefing notes etc., regarding construction on Overlea Blvd. between Don Mills Rd. and Millwood Rd. from Jan. 2014 to present.
Tokens prepared for LDA: ['communication', 'letter', 'brief', 'regard', 'construction', 'overlea', 'mills', 'millwood', 'january', 'present']
Original Request: Record of city pipe/drain/sewer maintenance/repair/ work orders for () and surrounding area (Grantbrok St. Finch Ave. W. & Calderon Cres.) from Aug 2008 to present.
Tokens prepared for LDA: ['record', 'drain', 'sewer', 'maintenance', 'repair/', 'order', 'surround', 'grantbrok', 'finch', 'calderon', 'present']
Original Request: All permits and construction history for (), including information stating whether or not the homes are categorized as "row " or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: A copy of building inspection report for ().
Tokens prepared for LDA: ['build', 'inspection', 'report']
Original Request: All building, zoning information and documentation for () including Committee of Adjustments applications and documentation pertaining to permits used on the property since it was built.
Tokens prepared for LDA: ['build', 'information', 'documentation', 'include', 'committee', 'adjustment', 'application', 'documentation', 'pertain', 'permit', 'property', 'build']
Original Request: A complete copy of animal control file pertaining to (Personal Information Severed) who was involved in a dog bite incident on December 20, 2005.
Tokens prepared for LDA: ['complete', 'animal', 'control', 'pertain', 'personal', 'information', 'sever', 'involve', 'incident', 'december']
Original Request: Record of all complaints lodged against () by (Personal Information Severed) and (Personal Information Severed) of () to Toronto Fire and 311; pertaining to issues of noise and animal control.
Tokens prepared for LDA: ['record', 'complaint', 'lodge', 'personal', 'information', 'sever', 'personal', 'information', 'sever', 'toronto', 'pertain', 'issue', 'noise', 'animal', 'control']
Original Request: Record of reports that relate to the sewer back up incident that occurred at () on June 8, 2014.
Tokens prepared for LDA: ['record', 'report', 'relate', 'sewer', 'incident', 'occur']
Original Request: A copy of arborist report submitted to Urban Forestry from owner of () for permission to remove tree.
Tokens prepared for LDA: ['arborist', 'report', 'submit', 'urban', 'forestry', 'owner', 'permission', 'remove']
Original Request: A copy of the complete file A 670631 related to dog named (Buddy), including notice of caution, any history from previous owner, bite history, shelter files and other records. Record search from January 1, 2014 and June 30, 2014.
Tokens prepared for LDA: ['complete', '670631', 'relate', 'buddy', 'include', 'notice', 'caution', 'history', 'previous', 'owner', 'history', 'shelter', 'record', 'record', 'search', 'january']
Original Request: Copies of application forms, mailing lists and letters for the following Committee of Adjustments files: (.)- B 0098-06 TEY; B 0043-06 TEY; () B -179-79 TEY; B -124-93 TEY; B 0042-06 TEY; B 0059-07 TEY.
Tokens prepared for LDA: ['copy', 'application', 'letter', 'follow', 'committee', 'adjustment']
Original Request: Record of all complaints made against () owned by (Personal Information Severed) by (Personal Information Severed) regarding issues of noise disturbance, animal, property standards, property fencing and parking bylaw concerns.
Tokens prepared for LDA: ['record', 'complaint', 'personal', 'information', 'sever', 'personal', 'information', 'sever', 'regard', 'issue', 'noise', 'disturbance', 'animal', 'property', 'standard', 'property', 'fence', 'bylaw', 'concern']
Original Request: A copy of parking lot permit for () indicating what building code guidelines need to be fulfilled. Record search from 2011-2014.
Tokens prepared for LDA: ['permit', 'indicate', 'build', 'guideline', 'fulfill', 'record', 'search']
Original Request: Record of the name of the home builder or developer in the area/street located at (). Pursuant to damages sustained by Bell Canada property during construction. Record search from Jan. 2014 to June 13, 2014.
Tokens prepared for LDA: ['record', 'builder', 'developer', 'street', 'locate', 'pursuant', 'damage', 'sustain', 'canada', 'property', 'construction', 'record', 'search', 'january']
Original Request: Any information regarding the water mains in and around the area of (.).
Tokens prepared for LDA: ['information', 'regard', 'water']
Original Request: All pertinent information and documentation for () relating to work performed at or in the area by COT as far back as possible to present from Toronto Building and Toronto Water
Tokens prepared for LDA: ['pertinent', 'information', 'documentation', 'relate', 'perform', 'possible', 'present', 'toronto', 'building', 'toronto', 'water']
Original Request: Copies of ML&S trade investigation file B3342. Doug Stubbings was the ML&S officer.
Tokens prepared for LDA: ['copy', 'trade', 'investigation', 'b3342', 'stubbings', 'officer']
Original Request: A complete copy of investigation report for (Unit number removed), () regarding burst sprinkler, sprinkler shut off and subsequent repair order issued.
Tokens prepared for LDA: ['complete', 'investigation', 'report', 'remove', 'regard', 'burst', 'sprinkler', 'sprinkler', 'subsequent', 'repair', 'order', 'issue']
Original Request: All 311 calls and reports filed against () from Apr. 1, 2014 to present. including animal control and property standards issues.
Tokens prepared for LDA: ['report', 'april', 'present', 'include', 'animal', 'control', 'property', 'standard', 'issue']
Original Request: A complete copy of inspection report for (Apt. number removed), () conducted on Sept. 15, 2014.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'remove', 'conduct', 'september']
Original Request: A copy of building file for () including permits and applications, from 1930 to present.
Tokens prepared for LDA: ['build', 'include', 'permit', 'application', 'present']
Original Request: A copy of inspection report pertaining to file #. 14118324 BLD 00 SR for (). Inspection performed on Sept. 17, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', '14118324', 'inspection', 'perform', 'september']
Original Request: Record of all e-mails from various COT staff members within Purchasing and Children's Services departments, pertaining to RFP-0613-14-0035 including debriefing notes for meeting held on Sept. 17, 2014.
Tokens prepared for LDA: ['record', 'various', 'staff', 'member', 'purchasing', 'child', 'services', 'department', 'pertain', 'rfp-0613', 'include', 'debrief', 'september']
Original Request: Any and all records concerning asbestos abatement projects at () during the period 180 to 1995.
Tokens prepared for LDA: ['record', 'concern', 'asbestos', 'abatement', 'project', 'period']
Original Request: Any document showing issued permission for the exchange and sale of pre-filled propane cylinders at (). Record search from Jan. 1, 2004 to Jan. 1, 2014.
Tokens prepared for LDA: ['document', 'issue', 'permission', 'exchange', 'propane', 'cylinder', 'record', 'search', 'january', 'january']
Original Request: Any and all information pertaining to inspections and investigations (including investigation attached to 311 call 14194188 PRS 00 IR) for () form Dec. 11, 2013 to Sept. 2014. Associated inspectors: Benjamin Kim, Corrine Morgan.
Tokens prepared for LDA: ['information', 'pertain', 'inspection', 'investigation', 'include', 'investigation', 'attach', '14194188', 'december', 'september', 'associate', 'inspector', 'benjamin', 'corrine', 'morgan']
Original Request: Any building permits issued or correspondence from the City to the builder of (Victoria Lofts), () from Jan. 2012 to Oct. 1, 2014.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'correspondence', 'builder', 'victoria', 'loft', 'january', 'october']
Original Request: A copy of mold inspection report for (). Inspection performed on Sept. 12, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'inspection', 'perform', 'september']
Original Request: Urban Forestry file related to (), Etobicoke, including all documents, correspondence, plans and images, from Sept. 1, 2013 to present.
Tokens prepared for LDA: ['urban', 'forestry', 'relate', 'etobicoke', 'include', 'document', 'correspondence', 'image', 'september', 'present']
Original Request: Urban Forestry file related to (), Etobicoke, including all documents, correspondence, plans and images, from Sept. 1, 2013 to present.
Tokens prepared for LDA: ['urban', 'forestry', 'relate', 'etobicoke', 'include', 'document', 'correspondence', 'image', 'september', 'present']
Original Request: All correspondence from Councillor Mark Grimes' office related to (), the proprietor (individual's ), including any documents related to Committee of Adjustment, Urban Forestry and OMB. from June 1, 2011 to present.
Tokens prepared for LDA: ['correspondence', 'councillor', 'grime', 'office', 'relate', 'proprietor', 'individual', 'include', 'document', 'relate', 'committee', 'adjustment', 'urban', 'forestry', 'present']
Original Request: Record of all inspection reports (14203432 WNP) and any other similar documents for () from Jul. 1, 2014 to Sep. 23, 2014.
Tokens prepared for LDA: ['record', 'inspection', 'report', '14203432', 'similar', 'document', 'september']
Original Request: Record of all permits issued to () from 2008 to present.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'present']
Original Request: A complete copy of building file for () including all City and engineers inspection notes, reports and contracts from 2007 to 2014.
Tokens prepared for LDA: ['complete', 'build', 'include', 'engineer', 'inspection', 'report', 'contract']
Original Request: Record of funding application submitted by () of the (Academy of Latin Baseball of Toronto Inc.) from 2009 to 2011.
Tokens prepared for LDA: ['record', 'application', 'submit', 'academy', 'latin', 'baseball', 'toronto']
Original Request: Any inspection notes, permits, applications for permits and variances; specifically those pertaining to 3rd storey addition to () Record search form Feb. 21, 2014 to present.
Tokens prepared for LDA: ['inspection', 'permit', 'application', 'permit', 'variance', 'specifically', 'pertain', 'storey', 'addition', 'record', 'search', 'february', 'present']
Original Request: A copy of MLS file; folder #. 14-134174 PRS for ().
Tokens prepared for LDA: ['folder', '134174']
Original Request: Any records pertaining to the sewers in and around () from Jan. 2004 to July 2014.
Tokens prepared for LDA: ['record', 'pertain', 'sewer', 'january']
Original Request: All reports pertaining to fire at (); filed by Heather Richards- Environmental Health Officer and Steve Paterson of ML&S.
Tokens prepared for LDA: ['report', 'pertain', 'heather', 'richards-', 'environmental', 'health', 'officer', 'steve', 'paterson', 'ml&s.']
Original Request: All reports pertaining to fire at (.); filed by Heather Richards- Environmental Health Officer and Steve Paterson of ML&S.
Tokens prepared for LDA: ['report', 'pertain', 'heather', 'richards-', 'environmental', 'health', 'officer', 'steve', 'paterson', 'ml&s.']
Original Request: Record of building permits and plan documents for () from the date of issuance to closure.
Tokens prepared for LDA: ['record', 'build', 'permit', 'document', 'issuance', 'closure']
Original Request: Copies of documents related to the shut off of the sluice gate leading to Ashbridge's Bay Wastewater Treatment Plant: 1. Copy of COT incident report to the Ministry of Environment. 2. Technical Memorandum: M Building and T Building Pumping Station etc.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'sluice', 'ashbridge', 'wastewater', 'treatment', 'plant', 'incident', 'report', 'ministry', 'environment', 'technical', 'memorandum', 'building', 'building', 'pump', 'station']
Original Request: Copies of all documents regarding health inspections of the (Future Bakery) located at (91 Front. St. E.) from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['copy', 'document', 'regard', 'health', 'inspection', 'future', 'bakery', 'locate', 'january', 'present']
Original Request: Copies of all documents regarding health inspections of the (Future Bakery) located at (106 North Queen St.) from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['copy', 'document', 'regard', 'health', 'inspection', 'future', 'bakery', 'locate', 'north', 'queen', 'january', 'present']
Original Request: Copies of all documents regarding health inspections of the (Future bakery/bistro) located at (483 Bloor St. W) from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['copy', 'document', 'regard', 'health', 'inspection', 'future', 'bakery', 'bistro', 'locate', 'bloor', 'january', 'present']
Original Request: Copies of any records, including e-mails contracts, funding agreements etc. regarding funding provided to the Tides Canada Foundation; listed in their 2013 annual report.
Tokens prepared for LDA: ['copy', 'record', 'include', 'contract', 'agreement', 'regard', 'provide', 'tide', 'canada', 'foundation', 'annual', 'report']
Original Request: Copies of any records, including e-mails contracts, funding agreements etc. regarding funding provided to the Tides Canada Foundation; listed in their 2013 annual report.
Tokens prepared for LDA: ['copy', 'record', 'include', 'contract', 'agreement', 'regard', 'provide', 'tide', 'canada', 'foundation', 'annual', 'report']
Original Request: Copies of any documents regarding funding/support provided to the 2014 "No. 9 Eco-Art Fest." For which the City is listed as a sponsor on the website: "www.no.9.ca/ecoartfest/festival-suppliers/ "
Tokens prepared for LDA: ['copy', 'document', 'regard', 'support', 'provide', 'sponsor', 'website', 'www.no.9.ca/ecoartfest/festival-suppliers/']
Original Request: Copies of records regarding an infection outbreak at the (Rothbart Centre for Pain Care) in 2012.
Tokens prepared for LDA: ['copy', 'record', 'regard', 'infection', 'outbreak', 'rothbart', 'centre']
Original Request: Copies of all infection-control audits completed at out-of-hospital premises in Toronto (the names and locations of which are listed on the website of the College of Physicians and Surgeons of Ontario).
Tokens prepared for LDA: ['copy', 'infection', 'control', 'audit', 'complete', 'hospital', 'premise', 'toronto', 'location', 'website', 'college', 'physician', 'surgeon', 'ontario']
Original Request: A copy of all records relating to the City's relationship with and oversight over (Muzik Nightclub aka Hypnotic Clubs Ltd.) located on the CNE ground at (15 Saskatchewan Rd.) from Jan. 2008 to present.
Tokens prepared for LDA: ['record', 'relate', 'relationship', 'oversight', 'muzik', 'nightclub', 'hypnotic', 'club', 'locate', 'grind', 'saskatchewan', 'january', 'present']
Original Request: A copy of Toronto Water documents showing detail of work completed in basement at () in 2010 following 311 service call regarding flooding. Record search from Jun. 1, 2010 to Jun. 30, 2010.
Tokens prepared for LDA: ['toronto', 'water', 'document', 'complete', 'basement', 'follow', 'service', 'regard', 'flood', 'record', 'search']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Record of any and all COT taxi cab licensing documents regarding (Personal Information Severed).
Tokens prepared for LDA: ['record', 'license', 'document', 'regard', 'personal', 'information', 'sever']
Original Request: Record of any complaint records with respect to the winter maintenance of the intersection of Rowntree Rd. and Kipling Ave. from 2011 onwards; including reports of personal injuries sustained.
Tokens prepared for LDA: ['record', 'complaint', 'record', 'respect', 'winter', 'maintenance', 'intersection', 'rowntree', 'kipling', 'onward', 'include', 'report', 'personal', 'injury', 'sustain']
Original Request: A copy of service request # 283 4841, regarding sewer back up outside ()
Tokens prepared for LDA: ['service', 'request', 'regard', 'sewer', 'outside']
Original Request: A complete copy of building records pertaining to () included but not limited to all complaints inspection reports etc.
Tokens prepared for LDA: ['complete', 'build', 'record', 'pertain', 'include', 'limit', 'complaint', 'inspection', 'report']
Original Request: Record of any and all records, e-mails, notes, letters and all communication between Ann Ulusoy, Jim Hart, Richard Ubens, Pat Profiti, John Fulton, David Hains, Rocco LiCalzi, Mark Lawson and Councillor Doucette and all outside parties.
Tokens prepared for LDA: ['record', 'record', 'letter', 'communication', 'ulusoy', 'richard', 'ubens', 'profiti', 'fulton', 'david', 'hains', 'rocco', 'licalzi', 'lawson', 'councillor', 'doucette', 'outside', 'party']
Original Request: Copy of all contracts, amendments and extensions related to RFP 9184-05-548 for the supply, installation, operation and maintenance of red light camera systems.
Tokens prepared for LDA: ['contract', 'amendment', 'extension', 'relate', 'supply', 'installation', 'operation', 'maintenance', 'light', 'camera']
Original Request: All records related to permit 08-14820 () including inspection reports, lot grading certificate, correspondence etc.
Tokens prepared for LDA: ['record', 'relate', 'permit', '14820', 'include', 'inspection', 'report', 'grade', 'certificate', 'correspondence']
Original Request: Records of rejection from Building relating to (). The rejection related to dividing the ground floor into a 3 individual unit; a record that rejected the tenant (Personal Information Severed) to open a retail store.
Tokens prepared for LDA: ['record', 'rejection', 'building', 'relate', 'rejection', 'relate', 'divide', 'grind', 'floor', 'individual', 'record', 'reject', 'tenant', 'personal', 'information', 'sever', 'retail', 'store']
Original Request: Records relating to RFR TO-3495-13-F-21 and RFR-PR-4154B-14-B-11, including amount charged by vendor (agency) to the City for first RFR, and the amount charged by all vendors (agencies) to the City.
Tokens prepared for LDA: ['record', 'relate', 'to-3495', '13-f-21', 'pr-4154b-14-b-11', 'include', 'charge', 'vendor', 'agency', 'charge', 'vendor', 'agency']
Original Request: Records relating to RFR TO-3495-13-F-21 and RFR-PR-4154B-14-B-11, including amount charged by vendor (agency) to the City for first RFR, and the amount charged by all vendors (agencies) to the City.
Tokens prepared for LDA: ['record', 'relate', 'to-3495', '13-f-21', 'pr-4154b-14-b-11', 'include', 'charge', 'vendor', 'agency', 'charge', 'vendor', 'agency']
Original Request: Permit information, documentation relating to 1992 underpinning and drains for () from 1992 to present.
Tokens prepared for LDA: ['permit', 'information', 'documentation', 'relate', 'underpin', 'drain', 'present']
Original Request: A copy of 2009 fire inspection report for ().
Tokens prepared for LDA: ['inspection', 'report']
Original Request: All information, documents, e-mails etc. related to Councillor Ainslie and South Marine Drive's gardens reshaped issue at (). Discussions were between (Personal Information Severed)
Tokens prepared for LDA: ['information', 'document', 'relate', 'councillor', 'ainslie', 'south', 'marine', 'drive', 'garden', 'reshape', 'issue', 'discussion', 'personal', 'information', 'sever']
Original Request: All information, documents, e-mails etc. related to Councillor Ainslie and South Marine Drive's gardens reshaped issue at (). Discussions were between (Personal Information Severed)
Tokens prepared for LDA: ['information', 'document', 'relate', 'councillor', 'ainslie', 'south', 'marine', 'drive', 'garden', 'reshape', 'issue', 'discussion', 'personal', 'information', 'sever']
Original Request: All records on noise complaints relating to barking dog at () from July 4, 2014 to Sept. 28, 2014, under reference #s 2920414 and 2892572.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'relate', 'september', 'reference', '2920414', '2892572']
Original Request: A copy of engineers report for () pertaining to soil conditions along property line and any other documents or reports regarding shoring, building foundation, permits and zoning for ().
Tokens prepared for LDA: ['engineer', 'report', 'pertain', 'condition', 'property', 'document', 'report', 'regard', 'shore', 'build', 'foundation', 'permit']
Original Request: A copy of highway video surveillance capture of a motor vehicle accident about 200 feet away from the DVP and Bloor exit; on Sept. 24, 2014 between 8:25 am - 8:35 am, involving a gray BMW and gray (small) commercial truck.
Tokens prepared for LDA: ['highway', 'video', 'surveillance', 'capture', 'motor', 'vehicle', 'accident', 'bloor', 'september', 'involve', 'small', 'commercial', 'truck']
Original Request: Records pertaining to (Ryze Nightclub) and its owner(s): first, last names, home, mobile and business phone number, personal and business address, drivers license # and business license #. Record search from Dec. 31, 2013 to Jan. 1, 2014
Tokens prepared for LDA: ['record', 'pertain', 'nightclub', 'owner(s', 'mobile', 'business', 'phone', 'personal', 'business', 'address', 'driver', 'license', 'business', 'license', 'record', 'search', 'december', 'january']
Original Request: Recorded inflows and water levels (in 1 minute intervals) for the following: 1. Four interconnecting sewers from LLI to MTI (Simcoe St., Scott St., Don River and ABTP M Building to T Building). 2. LLI TO MTI via the interconnecting sewers noted above.
Tokens prepared for LDA: ['record', 'inflow', 'water', 'level', 'minute', 'interval', 'follow', 'interconnect', 'sewer', 'simcoe', 'scott', 'river', 'building', 'building', 'interconnect', 'sewer']
Original Request: A copy of dog bite record for dog named (Hapoo), owned by (Personal Information Severed). Record search from 2008 to present.
Tokens prepared for LDA: ['record', 'hapoo', 'personal', 'information', 'sever', 'record', 'search', 'present']
Original Request: A copy of incident report and work order pertaining to water main breakage which occurred at () on Aug. 31, 2014.
Tokens prepared for LDA: ['incident', 'report', 'order', 'pertain', 'water', 'breakage', 'occur', 'august']
Original Request: A copy of security incident report for incident which took place at Roding Community Centre on Aug. 25, 2014; involving, (Personal Information Severed)
Tokens prepared for LDA: ['security', 'incident', 'report', 'incident', 'place', 'roding', 'community', 'centre', 'august', 'involve', 'personal', 'information', 'sever']
Original Request: Record identifying client who complained of overcharging on estimate proposal by (Arrow Heating & Air Conditioning Inc.0. Investigation #. B43113.
Tokens prepared for LDA: ['record', 'identify', 'client', 'complain', 'overcharge', 'estimate', 'proposal', 'arrow', 'heating', 'conditioning', 'inc.0', 'investigation', 'b43113']
Original Request: A copy of parking permit for () and any other documents indicating the inclusion and use of shared lane between the above and (). Record search 2014.
Tokens prepared for LDA: ['permit', 'document', 'indicate', 'inclusion', 'share', 'record', 'search']
Original Request: A copy of report regarding dog attack incident involving (Personal Information Severed) who was injured by two dogs owned by(Personal Information Severed) of () on Jul. 21, 2014.
Tokens prepared for LDA: ['report', 'regard', 'attack', 'incident', 'involve', 'personal', 'information', 'sever', 'injure', 'by(personal', 'information', 'sever']
Original Request: Record of the top 25 water consumers and the amount they consumed. The top 25 surcharge payers and the amount they consumed. Record search from Sep. 1, 2012 to present.
Tokens prepared for LDA: ['record', 'water', 'consumer', 'consume', 'surcharge', 'payer', 'consume', 'record', 'search', 'september', 'present']
Original Request: Record of any notes, drawings letters and other correspondence associated with building inspection conducted on March 16, 2010 at () regarding permit No. 10 133028 000 00BR. Inspector, NelsonHardy.
Tokens prepared for LDA: ['record', 'drawing', 'letter', 'correspondence', 'associate', 'build', 'inspection', 'conduct', 'march', 'regard', 'permit', '133028', 'inspector', 'nelsonhardy']
Original Request: Record of any construction on the Don Valley Parkway at or near Spanbridge Rd. since August 8, 2012 respecting not only the roadway but also any changes to the guardrails, poles or structures and the particulars of those changes.
Tokens prepared for LDA: ['record', 'construction', 'valley', 'parkway', 'spanbridge', 'august', 'respect', 'roadway', 'change', 'guardrail', 'structure', 'particular', 'change']
Original Request: A copy of dog attack incident report involving a German Shepherd outside () on July 17, 2014 at approximately 7:30 p.m.
Tokens prepared for LDA: ['attack', 'incident', 'report', 'involve', 'german', 'shepherd', 'outside', 'approximately']
Original Request: A complete copy of Building and Planning records relating to the McLaughlin Planetarium at 100 Queen's Park, including: all building permits, drawings, modifications for use, demolition permits, renovation permits, accompanying material etc.
Tokens prepared for LDA: ['complete', 'building', 'planning', 'record', 'relate', 'mclaughlin', 'planetarium', 'queen', 'include', 'build', 'permit', 'drawing', 'modification', 'demolition', 'permit', 'renovation', 'permit', 'accompany', 'material']
Original Request: A list of all Ambassador Taxi Licenses that were in the custody of ML&S on Jan. 1, 2014, along with the following details in tabular format: License Number (VOxxx); Plate Number; Plate Owner's Name (last, first, additional names) etc.
Tokens prepared for LDA: ['ambassador', 'license', 'custody', 'january', 'follow', 'tabular', 'format', 'license', 'number', 'voxxx', 'plate', 'number', 'plate', 'owner', 'additional']
Original Request: A list of all Ambassador Taxi Licenses that were in the custody of ML&S on Jan. 1, 2014, along with the following details in tabular format: License Number (VOxxx); Plate Number; Plate Owner's Name (last, first, additional names) etc.
Tokens prepared for LDA: ['ambassador', 'license', 'custody', 'january', 'follow', 'tabular', 'format', 'license', 'number', 'voxxx', 'plate', 'number', 'plate', 'owner', 'additional']
Original Request: A list showing each and every occasion Ambassador Taxi Licenses were turned in to or retrieved from ML&S for whatever reason from the date the first Ambassador License was issued in 1999 to present.
Tokens prepared for LDA: ['occasion', 'ambassador', 'license', 'retrieve', 'reason', 'ambassador', 'license', 'issue', 'present']
Original Request: A list showing the name, address and phone number of every person who is the custodian of a taxi that is licensed to operate in the COT , along with the following details in tabular format: Plate Owner's License Number (VOxxx); Plate Number etc.
Tokens prepared for LDA: ['address', 'phone', 'person', 'custodian', 'license', 'operate', 'follow', 'tabular', 'format', 'plate', 'owner', 'license', 'number', 'voxxx', 'plate', 'number']
Original Request: A list showing the name, address, and phone number of every person who is currently licensed as a cab driver in the COT (do not include owners who retired and gave up the right to drive thereafter), but has never been licensed to drive a taxi etc.
Tokens prepared for LDA: ['address', 'phone', 'person', 'currently', 'license', 'driver', 'include', 'owner', 'retire', 'right', 'drive', 'license', 'drive']
Original Request: A list showing the name, address, and phone number of every person who is currently licensed as a cab driver in the COT (do not include owners who retired and gave up the right to drive thereafter), but has never been licensed to drive a taxi etc.
Tokens prepared for LDA: ['address', 'phone', 'person', 'currently', 'license', 'driver', 'include', 'owner', 'retire', 'right', 'drive', 'license', 'drive']
Original Request: A list of the Directors, Officers and or shareholders of every standard taxi that is licensed to operate in the COT and is held in a limited company or an incorporated business, along with the following details in tabular format: Plate Number etc.
Tokens prepared for LDA: ['director', 'officer', 'shareholder', 'standard', 'license', 'operate', 'limit', 'company', 'incorporate', 'business', 'follow', 'tabular', 'format', 'plate', 'number']
Original Request: A list showing the names of the Directors, Officers and or shareholders of every taxi that is licensed to operate in the COT and is held in a limited company or an incorporated business.
Tokens prepared for LDA: ['director', 'officer', 'shareholder', 'license', 'operate', 'limit', 'company', 'incorporate', 'business']
Original Request: A list showing the total number of Ambassador Taxis that were affiliated with each and every brokerage as of June 1, 2014, along with the following details in tabular format: Brokerage Corporate Name, Brokerage Operating Name etc.
Tokens prepared for LDA: ['total', 'ambassador', 'taxis', 'affiliate', 'brokerage', 'follow', 'tabular', 'format', 'brokerage', 'corporate', 'brokerage', 'operate']
Original Request: A list showing the total number of Taxis that were affiliated with each and every brokerage as of June 1, 2014, along with the following details in tabular format: Brokerage Corporate Name, Brokerage Operating Name etc.
Tokens prepared for LDA: ['total', 'taxis', 'affiliate', 'brokerage', 'follow', 'tabular', 'format', 'brokerage', 'corporate', 'brokerage', 'operate']
Original Request: Copies of site plan drawings for () file # A0716/13 TEY.
Tokens prepared for LDA: ['copy', 'drawing', 'a0716/13']
Original Request: Any and all records for () owned by ( (Personal Information Severed) pertaining to the property and or a silver maple tree at that location, including, but not limited to permit applications, assessments, arborist inspections notes etc.
Tokens prepared for LDA: ['record', 'personal', 'information', 'sever', 'pertain', 'property', 'silver', 'maple', 'location', 'include', 'limit', 'permit', 'application', 'assessment', 'arborist', 'inspection']
Original Request: Record identifying the City staff member who installed new water pipes at () in 2010 on the City's portion of the property.
Tokens prepared for LDA: ['record', 'identify', 'staff', 'member', 'install', 'water', 'portion', 'property']
Original Request: A complete copy of building file, base permit # 425202 (). Specifically records showing: building code violations; plan changes; poor design; change orders; errors; deficiencies; lighting issues or anything to support negligence.
Tokens prepared for LDA: ['complete', 'build', 'permit', '425202', 'specifically', 'record', 'build', 'violation', 'change', 'design', 'change', 'order', 'error', 'deficiency', 'light', 'issue', 'support', 'negligence']
Original Request: Record of all inspection notes, investigation reports, service calls, video and still images for () pertaining to flooding and sewer back-up/blockage issues in the basement of the above address and in any City lines.
Tokens prepared for LDA: ['record', 'inspection', 'investigation', 'report', 'service', 'video', 'image', 'pertain', 'flood', 'sewer', 'blockage', 'issue', 'basement', 'address']
Original Request: All information for (.) pertaining to flood in July 2013.
Tokens prepared for LDA: ['information', 'pertain', 'flood']
Original Request: A copy of building specs for (.) regarding addition to property in 1994.
Tokens prepared for LDA: ['build', 'regard', 'addition', 'property']
Original Request: A copy of building permit(s) and final inspection file for rear extension of () including documentation confirming the completion and approval of the permit(s). Record search Jul. 4, 1974 to Sep. 1976.
Tokens prepared for LDA: ['build', 'permit(s', 'final', 'inspection', 'extension', 'include', 'documentation', 'confirm', 'completion', 'approval', 'permit(s', 'record', 'search', 'september']
Original Request: A copy of ML&S inspection report including most recent and fire inspection reports for () from 2002 to 2014.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'recent', 'inspection', 'report']
Original Request: A complete copy of ML&S report pertaining to a cat rescue at () detailing the conditions of the house when the cats were removed.
Tokens prepared for LDA: ['complete', 'report', 'pertain', 'rescue', 'condition', 'house', 'remove']
Original Request: All incident reports relating to the water main/pipe/service line/sewer lines failure at or near () on or about July 3, 2014.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'service', 'sewer', 'failure']
Original Request: Any and all permit related documentation for () including permit applications, field review reports, inspection records, orders to comply, by-law inspection, enforcement records and engineers reports etc.
Tokens prepared for LDA: ['permit', 'relate', 'documentation', 'include', 'permit', 'application', 'field', 'review', 'report', 'inspection', 'record', 'order', 'comply', 'inspection', 'enforcement', 'record', 'engineer', 'report']
Original Request: Flushes, repair, maintenance, emergency work orders for the sewage line that runs parallel to Scarborough Road from Feb. 2014 to June 2014.
Tokens prepared for LDA: ['flush', 'repair', 'maintenance', 'emergency', 'order', 'sewage', 'parallel', 'scarborough', 'february']
Original Request: City water main maintenance / repairs / work orders for () and surrounding area of a 2 block radius for the period of Feb. 2009 to April 2014.
Tokens prepared for LDA: ['water', 'maintenance', 'repair', 'order', 'surround', 'block', 'radius', 'period', 'february', 'april']
Original Request: A copy of MOH inspection report for () file # 118889.
Tokens prepared for LDA: ['inspection', 'report', '118889']
Original Request: A copy of zoning letters/documents for ().
Tokens prepared for LDA: ['letter', 'document']
Original Request: A copy of Toronto Water inspection report for () pertaining to basement flooding investigation on June 27, 2014.
Tokens prepared for LDA: ['toronto', 'water', 'inspection', 'report', 'pertain', 'basement', 'flood', 'investigation']
Original Request: A copy of building file and plumbing permit file # 00 344186 for ().
Tokens prepared for LDA: ['build', 'plumb', 'permit', '344186']
Original Request: A copy of all permits issued to or applied for () from 1999 to present.
Tokens prepared for LDA: ['permit', 'issue', 'apply', 'present']
Original Request: A copy of all permits issued to or applied for () from 1981 to present.
Tokens prepared for LDA: ['permit', 'issue', 'apply', 'present']
Original Request: A complete copy of 311 transcripts and all ML&S complaints pertaining to; the property located at (), regarding issues with the fence and screen from 2009 to 2014.
Tokens prepared for LDA: ['complete', 'transcript', 'complaint', 'pertain', 'property', 'locate', 'regard', 'issue', 'fence', 'screen']
Original Request: Record of all inspections conducted at the property () including inspectors' notes, observations, reports, photographs, drawings, memos, warning letters, notices and other materials produced as a result of these visits.
Tokens prepared for LDA: ['record', 'inspection', 'conduct', 'property', 'include', 'inspector', 'observation', 'report', 'photograph', 'drawing', 'letter', 'notice', 'material', 'produce', 'result', 'visit']
Original Request: Record of all e-mails that mention (Personal Information Severed) of (Trilium Investment Group), (Lakeview Life Care) and (Trillium Life Care), including those to and from (Personal Information Severed); within the body, subject line, to or from fields.
Tokens prepared for LDA: ['record', 'mention', 'personal', 'information', 'sever', 'trilium', 'investment', 'group', 'lakeview', 'trillium', 'include', 'personal', 'information', 'sever', 'subject', 'field']
Original Request: A copy of the audio recording of a 911 call made on Nov. 19, 2013 at or about 11 p.m., by (Personal Information Severed) of () from phone No. (Personal Information Severed);(Personal Information Severed)(Personal Information Severed) as missing.
Tokens prepared for LDA: ['audio', 'record', 'november', 'personal', 'information', 'sever', 'phone', 'personal', 'information', 'severed);(personal', 'information', 'severed)(personal', 'information', 'sever']
Original Request: Detailed copies of reports listing the repairs done to the water main break in front of () including 3 most previous. Record search Jan. 1, 2012 to Mar. 31, 2014.
Tokens prepared for LDA: ['detail', 'report', 'repair', 'water', 'break', 'include', 'previous', 'record', 'search', 'january', 'march']
Original Request: A copy of file No. 120566 pertaining to mould complaint at () in Sep. 2014.
Tokens prepared for LDA: ['120566', 'pertain', 'mould', 'complaint', 'september']
Original Request: A copy of the final decision certificate in 2008 allowing a commercial build at (). Record search 2008 to 2010.
Tokens prepared for LDA: ['final', 'decision', 'certificate', 'allow', 'commercial', 'build', 'record', 'search']
Original Request: A copy of health inspection report for () in September 2014.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'september']
Original Request: A copy of animal control records for () regarding two Cane Corso guard dogs at (Advantage Car and Truck Rentals) from Jan. 2009 to present.
Tokens prepared for LDA: ['animal', 'control', 'record', 'regard', 'corso', 'guard', 'advantage', 'truck', 'rental', 'january', 'present']
Original Request: Record of engineering and inspection reports related to permit 06 193754 for ()
Tokens prepared for LDA: ['record', 'engineer', 'inspection', 'report', 'relate', 'permit', '193754']
Original Request: Record of any orders, notes or memos related to ()
Tokens prepared for LDA: ['record', 'order', 'relate']
Original Request: City pipe/drain/sewer maintenance / repairs / work orders/ flush records for () from Aug. 2009 to Oct. 2014.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'orders/', 'flush', 'record', 'august', 'october']
Original Request: Record of any documentation for (), especially IBMS activity reports ref. no. 11274413 PRS OO IV & 1127445 PRS OO IV pertaining to ML&S building audit (FOLDER NO. 11257 131 AUD OO IR),. Record search Sep. 11, 2011 to Oct. 10, 2014.
Tokens prepared for LDA: ['record', 'documentation', 'especially', 'activity', 'report', '11274413', '1127445', 'pertain', 'build', 'audit', 'folder', '11257', 'record', 'search', 'september', 'october']
Original Request: A complete copy of the Metro Licensing file pertaining to (Personal Information Severed), (Personal Information Severed).
Tokens prepared for LDA: ['complete', 'metro', 'license', 'pertain', 'personal', 'information', 'sever', 'personal', 'information', 'sever']
Original Request: A complete copy of ML&S file for () with respect to orders issued under folders: 06-178046; 06-178047 and 06-178048. Record search Sep. 1, 2006 to Feb. 28, 2007.
Tokens prepared for LDA: ['complete', 'respect', 'order', 'issue', 'folder', '178046', '178047', '178048', 'record', 'search', 'september', 'february']
Original Request: Copies of agenda forecasts and any records related to agenda planning i.e. (e-mails, briefing notes etc.) for: Joe Pennachetti's, Brenda Patterson, Rob Rossini and John Livey from Oct. 15, 2014 to Dec. 2015.
Tokens prepared for LDA: ['copy', 'agendum', 'forecast', 'record', 'relate', 'agendum', 'brief', 'pennachetti', 'brenda', 'patterson', 'rossini', 'livey', 'october', 'december']
Original Request: A complete copy of all work orders issued for the cutting down of trees at ().
Tokens prepared for LDA: ['complete', 'order', 'issue']
Original Request: A copy of building records for () including engineering reports, plumbing reports, load bearing code guidelines for the building and those pertaining to; the type of bath tub that conforms to these and the plumbing guidelines.
Tokens prepared for LDA: ['build', 'record', 'include', 'engineer', 'report', 'plumb', 'report', 'guideline', 'build', 'pertain', 'conform', 'plumb', 'guideline']
Original Request: History of building permits applications for (); any residential units or apartments registered with the City; any applications to amend the number of residential units, from 1999 to 2013.
Tokens prepared for LDA: ['history', 'build', 'permit', 'application', 'residential', 'apartment', 'register', 'application', 'amend', 'residential']
Original Request: A copy of animal services file that will provide the full name and address of the dog owner that attacked the dog owned by (Personal Information Severed) (Personal Information Severed) on Sept. 29, 2014 at Orton Park Blvd. Ref # A14-027743.
Tokens prepared for LDA: ['animal', 'service', 'provide', 'address', 'owner', 'attack', 'personal', 'information', 'sever', 'personal', 'information', 'sever', 'september', 'orton', '027743']
Original Request: A copy of complete investigation file of (Personal Information Severed) regarding the bacterial infections at (Rothbart Pain Clinic).
Tokens prepared for LDA: ['complete', 'investigation', 'personal', 'information', 'sever', 'regard', 'bacterial', 'infection', 'rothbart', 'clinic']
Original Request: A copy of arborist report referred to in the site plan for Building Permit # 14 157121 BLD 00 for () as well as the survey related to this permit.
Tokens prepared for LDA: ['arborist', 'report', 'refer', 'building', 'permit', '157121', 'survey', 'relate', 'permit']
Original Request: A copy of record of visit and notice of violation from Animal Services relating to (). The visits were on May 26, 2014, May 27 and June 4, 2014. Incident # 2683957. Records search from May 26, 2014 to Oct. 10, 2014.
Tokens prepared for LDA: ['record', 'visit', 'notice', 'violation', 'animal', 'services', 'relate', 'visit', 'incident', '2683957', 'record', 'search', 'october']
Original Request: Name of owner of taxi cab (Beck) license plate # (plate removed), permit # (636) from Oct. 10, 2014 to Oct. 17, 2014.
Tokens prepared for LDA: ['owner', 'license', 'plate', 'plate', 'remove', 'permit', 'october', 'october']
Original Request: All information relating to sign permit application # 13 183855 DST 00 DS for (), including whether there was an expiry date, any supporting documents relating to the property, any conditions on the permit, the notice of application.
Tokens prepared for LDA: ['information', 'relate', 'permit', 'application', '183855', 'include', 'expiry', 'support', 'document', 'relate', 'property', 'condition', 'permit', 'notice', 'application']
Original Request: All particulars and details in connection with the HVAC portion of the building permit # 04 154534 HVA 00 MS for (.), including the specifics of the work entailed by the Permit, history of inspections and reports when the matter was closed.
Tokens prepared for LDA: ['particular', 'connection', 'portion', 'build', 'permit', '154534', 'include', 'specific', 'entail', 'permit', 'history', 'inspection', 'report', 'close']
Original Request: Inspection and all other relevant information, correspondence and action concerning the bedbug infestation at (), 2nd floor, Unit 1 and 2, 3rd floor from May 2014 to present. Public Health inspector was Michele Quinlan.
Tokens prepared for LDA: ['inspection', 'relevant', 'information', 'correspondence', 'action', 'concern', 'bedbug', 'infestation', 'floor', 'floor', 'present', 'public', 'health', 'inspector', 'michele', 'quinlan']
Original Request: A copy of Public Health file # 120566 including the inspectors' notes relating to surface mould found at (). Inspection was done on Oct. 2, 2014
Tokens prepared for LDA: ['public', 'health', '120566', 'include', 'inspector', 'relate', 'surface', 'mould', 'inspection', 'october']
Original Request: Sewer main maintenance, including replacement, flushings, inspections and rehabilitation, incident records and call reports for () from Feb. 1, 2013 to Feb. 2014.
Tokens prepared for LDA: ['sewer', 'maintenance', 'include', 'replacement', 'flush', 'inspection', 'rehabilitation', 'incident', 'record', 'report', 'february', 'february']
Original Request: Complete contents of the Committee of Adjustment file including all records, plans, permits related to (.).
Tokens prepared for LDA: ['complete', 'content', 'committee', 'adjustment', 'include', 'record', 'permit', 'relate']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row " or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row" or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row" or "semi-detached" houses. Record search from Jan. 1, 1950 to present..
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row" or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row" or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row" or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: All permits and construction history for () including information stating whether or not the homes are categorized as "row" or "semi-detached" houses. Record search from Jan. 1, 1950 to present.
Tokens prepared for LDA: ['permit', 'construction', 'history', 'include', 'information', 'state', 'categorize', 'detach', 'house', 'record', 'search', 'january', 'present']
Original Request: Record/report of call to Toronto Fire and EMS from () regarding the rescuing of a dog, stranded on the second floor patio at ().
Tokens prepared for LDA: ['record', 'report', 'toronto', 'regard', 'rescue', 'strand', 'floor', 'patio']
Original Request: A copy of records regarding the rutting at the westbound 95 bus stop at Ellesmere & Victoria Park on the north side of Ellemere Rd. The soil properties; asphalt and concrete characteristics; traffic analysis of the bus stop; PSI of the pavement etc.
Tokens prepared for LDA: ['record', 'regard', 'westbound', 'ellesmere', 'victoria', 'north', 'ellemere', 'property', 'asphalt', 'concrete', 'characteristic', 'traffic', 'analysis', 'pavement']
Original Request: A copy of inspection report pertaining to dog bite incident at () on Dec. 11, 2013 in which (Personal Information Severed) was bitten.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'incident', 'december', 'personal', 'information', 'sever']
Original Request: All information and other documents in the possession of the Toronto Film and Television Office (TFTO) relating to the issuance of a film permit to Means of Production for filming in the City of Toronto on or about October 6-7, 2014.
Tokens prepared for LDA: ['information', 'document', 'possession', 'toronto', 'television', 'office', 'relate', 'issuance', 'permit', 'means', 'production', 'toronto', 'october']
Original Request: All bike incident reports/incidents that occurred in Sunnybrook Park-Serena Gundy Park indicating those: - at the 'Parking Lot 3' bridge entrance to Serena Gundy Park -cyclists crashing into boulders along the designated bike path in the parks.
Tokens prepared for LDA: ['incident', 'report', 'incident', 'occur', 'sunnybrook', 'serena', 'gundy', 'indicate', 'parking', 'bridge', 'entrance', 'serena', 'gundy', '-cyclists', 'crash', 'boulder', 'designate']
Original Request: Copies of building permits for (): 08 207 501 PLB 00PS; 08 207 201 BLD 00 BA & 08 207 501 HAV 00 MS. Record search Jan. 1, 2007 to Dec. 31, 2008.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'record', 'search', 'january', 'december']
Original Request: Record of road work construction done at 199 bus stop on Finch Ave. E. and Seneca Hill Dr. on the north side of Finch Ave. E., specifically information on the rutting. Details on the concrete characteristics; cross section; depth and length of rutting etc.
Tokens prepared for LDA: ['record', 'construction', 'finch', 'seneca', 'north', 'finch', 'specifically', 'information', 'details', 'concrete', 'characteristic', 'cross', 'section', 'depth', 'length']
Original Request: The complete names of the officers who issued parking tickets to vehicle, license plate # (Personal Information Severed) under badge #77981(Jul. 21, 2005); 77979 (Jul. 8, 2005); 77978 (Jul. 9, 2004) & 73287 (Oct. 6, 2003). The performance appraisal records etc.
Tokens prepared for LDA: ['complete', 'officer', 'issue', 'ticket', 'vehicle', 'license', 'plate', 'personal', 'information', 'sever', 'badge', '77981(jul', '77979', '77978', '73287', 'october', 'performance', 'appraisal', 'record']
Original Request: A copy of health inspection report for (Interval House), conducted on Sept. 26, 2014, file # 120086. Inspector, Natalya Plotnikova.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'interval', 'house', 'conduct', 'september', '120086', 'inspector', 'natalya', 'plotnikova']
Original Request: A complete copy of building records for () from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'record', 'possible', 'present']
Original Request: A complete copy of building records for () from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'record', 'possible', 'present']
Original Request: Verification report for remediation completed at the marijuana grow operations at (), Scarboorugh, Oct. 29, 2009.
Tokens prepared for LDA: ['verification', 'report', 'remediation', 'complete', 'marijuana', 'operation', 'scarboorugh', 'october']
Original Request: Copy of records on by-law infraction on property at () from Aug. 2014 to Sept. 2014 relating to downspout infraction. The by-law officer's first name ws Faisal.
Tokens prepared for LDA: ['record', 'infraction', 'property', 'august', 'september', 'relate', 'downspout', 'infraction', 'officer', 'faisal']
Original Request: Permit information for the home builder or developer in the area/street located at (). Pursuant to damages sustained by Bell Canada 100 pr cables during construction of a new home. Record search from Jan. 1, 2013 to Nov. 15, 2013
Tokens prepared for LDA: ['permit', 'information', 'builder', 'developer', 'street', 'locate', 'pursuant', 'damage', 'sustain', 'canada', 'cable', 'construction', 'record', 'search', 'january', 'november']
Original Request: Permit information for the home builder or developer in the area/street located at (). Pursuant to damages sustained by property of Bell Canada. Record search from Jan. 9, 2013 to Oct. 4, 2014.
Tokens prepared for LDA: ['permit', 'information', 'builder', 'developer', 'street', 'locate', 'pursuant', 'damage', 'sustain', 'property', 'canada', 'record', 'search', 'january', 'october']
Original Request: A copy of fire inspection for () conducted in Aug. 2014.
Tokens prepared for LDA: ['inspection', 'conduct', 'august']
Original Request: A copy of complaint report made by () regarding changes made to grading construction in 2010 at (). Record search May 10, 2010 to Aug. 31, 2010.
Tokens prepared for LDA: ['complaint', 'report', 'regard', 'change', 'grade', 'construction', 'record', 'search', 'august']
Original Request: A copy of the (Parkdale Flames Hockey Associations) By-Law as provided to(Personal Information Severed) by Councillor Ana Bailao, including the policies and procedures relating to public attendance to board meetings at the Mary McCormick Arena.
Tokens prepared for LDA: ['parkdale', 'flame', 'hockey', 'association', 'provide', 'to(personal', 'information', 'sever', 'councillor', 'bailao', 'include', 'policy', 'procedure', 'relate', 'public', 'attendance', 'board', 'meeting', 'mccormick', 'arena']
Original Request: A copy of permit application for existing awnings (); permit # 205961 & 219162.
Tokens prepared for LDA: ['permit', 'application', 'exist', 'awning', 'permit', '205961', '219162']
Original Request: Complete copies of Public Health and ML&S files pertaining to dog bite incident involving (Personal Information Revoved), who was bitten while visiting Toronto Centre Island on or about June 28, 2014 at approximately 3:00 p.m.
Tokens prepared for LDA: ['complete', 'public', 'health', 'pertain', 'incident', 'involve', 'personal', 'information', 'revoved', 'visit', 'toronto', 'centre', 'island', 'approximately']
Original Request: Record of witness statements, photographs and fire inspection reports regarding house fire which occurred at () on Oct. 8, 2013.
Tokens prepared for LDA: ['record', 'witness', 'statement', 'photograph', 'inspection', 'report', 'regard', 'house', 'occur', 'october']
Original Request: Copies of all notes, inspection and other reports for (), related to permit # 03-17701. Record search Jan. 1, 2003 to Dec. 31, 2004.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relate', 'permit', '17701', 'record', 'search', 'january', 'december']
Original Request: A copy of ML&S inspection report regarding incident that occurred in the parking garage at () on Jul. 17, 2013. Inspector Carleen Blissett.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'incident', 'occur', 'garage', 'inspector', 'carleen', 'blissett']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: A copy of mold inspection report for (). Record search from Oct. 1-12, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'october']
Original Request: Record of all 311 calls and parking violations associated with () from 2005 to present.
Tokens prepared for LDA: ['record', 'violation', 'associate', 'present']
Original Request: Copies of building stop orders issued to () from 2008 to present.
Tokens prepared for LDA: ['copy', 'build', 'order', 'issue', 'present']
Original Request: A detailed copy of the scope of work associated with contract awarded to {Capital Sewer Services} in 2013.
Tokens prepared for LDA: ['scope', 'associate', 'contract', 'award', 'capital', 'sewer', 'services']
Original Request: A detailed copy of the scope of work associated with contract awarded to (Fermar Paving Ltd.) in 2013, including a copy of the conditions demanded by the City during construction jobs within the contract.
Tokens prepared for LDA: ['scope', 'associate', 'contract', 'award', 'fermar', 'paving', 'include', 'condition', 'demand', 'construction', 'contract']
Original Request: Record of all 2013 property tax bills (main and omit bills) for property located at (), roll number 1904-03-2-010-00611-0000.
Tokens prepared for LDA: ['record', 'property', 'property', 'locate', '00611']
Original Request: A complete copy of file relating to () with respect to building permits, inspection records and work orders. Property at () sustained damage due to water escape from (
Tokens prepared for LDA: ['complete', 'relate', 'respect', 'build', 'permit', 'inspection', 'record', 'order', 'property', 'sustain', 'damage', 'water', 'escape']
Original Request: Record of any issued permits or protection orders pertaining to tree removal at (). Record search Jan. 1, 2003 to Dec. 30, 2004.
Tokens prepared for LDA: ['record', 'issue', 'permit', 'protection', 'order', 'pertain', 'removal', 'record', 'search', 'january', 'december']
Original Request: Copy of building records for () specifically including but not limited to; building code violations (Mar. 1, 2005 to Dec. 31, 2009); orders to comply including most recently issued order (on or about Oct. 23, 2009); deficiency notices etc.
Tokens prepared for LDA: ['build', 'record', 'specifically', 'include', 'limit', 'build', 'violation', 'march', 'december', 'order', 'comply', 'include', 'recently', 'issue', 'order', 'october', 'deficiency', 'notice']
Original Request: Any and all documents, notes, reports and other information for () which pertains to the freezing and bursting of sprinkler heads and subsequent flooding of the building.
Tokens prepared for LDA: ['document', 'report', 'information', 'pertain', 'freeze', 'burst', 'sprinkler', 'subsequent', 'flood', 'build']
Original Request: Copies of all communication or documents including but not limited to letters, e-mails, memorandum, hand-written notes, audio or video recordings, photographs, charts, graphs, maps, plans, surveys, estimates, invoices, quotation etc.
Tokens prepared for LDA: ['copy', 'communication', 'document', 'include', 'limit', 'letter', 'memorandum', 'write', 'audio', 'video', 'recording', 'photograph', 'chart', 'graph', 'survey', 'estimate', 'invoice', 'quotation']
Original Request: A complete copy of complaint record for (), folder # 14239933 PRS OO 1V, RT 887 953 897 CA. Any maps, surveys regarding () and () incl., photos or documents suggesting poor drainage at ().
Tokens prepared for LDA: ['complete', 'complaint', 'record', 'folder', '14239933', 'survey', 'regard', 'photo', 'document', 'suggest', 'drainage']
Original Request: A copy of public health report regarding the presence of mosquitos in bins belonging to (Personal Information Severed) of (). Inspector, Alla Savachenko.
Tokens prepared for LDA: ['public', 'health', 'report', 'regard', 'presence', 'mosquito', 'belong', 'personal', 'information', 'sever', 'inspector', 'savachenko']
Original Request: Copies of building permits for () from Jan. 1, 2003 to Oct. 28, 2014.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'january', 'october']
Original Request: Copies of building permits for () from Jan. 1, 1970 to Oct. 28, 2014.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'january', 'october']
Original Request: List of property owned by (Personal Information Severed) from the Toronto Property Tax System.
Tokens prepared for LDA: ['property', 'personal', 'information', 'sever', 'toronto', 'property']
Original Request: List of property owned by (Lawrence Park Property Management) from the Toronto Property Tax System.
Tokens prepared for LDA: ['property', 'lawrence', 'property', 'management', 'toronto', 'property']
Original Request: The name and address of the person (s) who complained about a lawn sign which read: "Slow Down / Kids At Play" on Riverside Dr., south of Bloor.
Tokens prepared for LDA: ['address', 'person', 'complain', 'riverside', 'south', 'bloor']
Original Request: Copies of all payment receipts associated with permit # 12-144052, file # 09 115281 ESC 35 SA. Record search from 2008 to 2014.
Tokens prepared for LDA: ['copy', 'payment', 'receipt', 'associate', 'permit', '144052', '115281', 'record', 'search']
Original Request: All by-law enforcements reports pertaining to () from Jun. 2013 to present.
Tokens prepared for LDA: ['enforcement', 'report', 'pertain', 'present']
Original Request: Copy of the original building permit for () permit # 86-04621 BLDGA & 86-04622 BLDGB.
Tokens prepared for LDA: ['original', 'build', 'permit', 'permit', '04621', 'bldga', '04622', 'bldgb']
Original Request: All front yard licenses (total number) issued in ward 31 between Jan. 1, 2010 and Oct. 1, 2014 including all the associated addresses.
Tokens prepared for LDA: ['license', 'total', 'issue', 'january', 'october', 'include', 'associate', 'address']
Original Request: Record of parking license permit issuance date for: () Record search Jan. 1, 2000 to Oct. 1, 2014.
Tokens prepared for LDA: ['record', 'license', 'permit', 'issuance', 'record', 'search', 'january', 'october']
Original Request: Record identifying the persons (s) who have complained about driveway parking at ().
Tokens prepared for LDA: ['record', 'identify', 'person', 'complain', 'driveway']
Original Request: Record of parking license permit issuance date for: () Record search Jan. 1, 2000 to Oct. 1, 2014.
Tokens prepared for LDA: ['record', 'license', 'permit', 'issuance', 'record', 'search', 'january', 'october']
Original Request: Record of parking license permit issuance date for: () Record search Jan. 1, 2000 to Oct. 1, 2014.
Tokens prepared for LDA: ['record', 'license', 'permit', 'issuance', 'record', 'search', 'january', 'october']
Original Request: A copy of sewer service reports for work completed close to () on Oct. 24, 2014 reference # 3011446.
Tokens prepared for LDA: ['sewer', 'service', 'report', 'complete', 'close', 'october', 'reference', '3011446']
Original Request: All medical health updates or reports to Toronto Zoo from PAWS Sanctuary on the status of Toronto Zoo Elephants between Oct. 25, 2013 to present.
Tokens prepared for LDA: ['medical', 'health', 'update', 'report', 'toronto', 'sanctuary', 'status', 'toronto', 'elephant', 'october', 'present']
Original Request: Record of the identity of the individual who made a complaint regarding the operations of (Williams Fresh Café) at (245 Queen Quay West). Record search Oct. 14, 2014 to present.
Tokens prepared for LDA: ['record', 'identity', 'individual', 'complaint', 'regard', 'operation', 'williams', 'fresh', 'queen', 'record', 'search', 'october', 'present']
Original Request: All information related to off street parking at () specifically documents from Jul. 2, 2012 to Dec 2012.
Tokens prepared for LDA: ['information', 'relate', 'street', 'specifically', 'document']
Original Request: A copy of zoning letter for (6427 Kingston Rd.) owned by Kennedy House Youth Services.
Tokens prepared for LDA: ['letter', 'kingston', 'kennedy', 'house', 'youth', 'services']
Original Request: A copy of zoning letter for (243 Galloway Rd.) owned by Kennedy House Youth Services.
Tokens prepared for LDA: ['letter', 'galloway', 'kennedy', 'house', 'youth', 'services']
Original Request: A copy of zoning letter for (3070 Kennedy Rd.) owned by Kennedy House Youth Services.
Tokens prepared for LDA: ['letter', 'kennedy', 'kennedy', 'house', 'youth', 'services']
Original Request: A complete copy of ML&S file for () including complaint documents, identity of the complainant(s), the investigating ML&S staff and the outcome of each investigation. Records search 2000 to present.
Tokens prepared for LDA: ['complete', 'include', 'complaint', 'document', 'identity', 'complainant(s', 'investigate', 'staff', 'outcome', 'investigation', 'record', 'search', 'present']
Original Request: A copy of 311 call script between 311 staff and (Personal Information Severed) on Oct. 24, 2014.
Tokens prepared for LDA: ['script', 'staff', 'personal', 'information', 'sever', 'october']
Original Request: A copy of report - "Villa Charities Review" completed by Elaine Baxter-Trahair, delivered to Villa Charities (license holder for (Casa Del Zotto, Centro Abruzzo) on or about Aug. 12, 2014.
Tokens prepared for LDA: ['report', 'villa', 'charity', 'review', 'complete', 'elaine', 'baxter', 'trahair', 'deliver', 'villa', 'charity', 'license', 'holder', 'zotto', 'centro', 'abruzzo', 'august']
Original Request: Copies of permits for a double garage and extension of home for ().
Tokens prepared for LDA: ['copy', 'permit', 'double', 'garage', 'extension']
Original Request: A copy of easement agreement between (North Trafalgar Developments Ltd.( and (Heathmuir Investments Ltd.) dated Nov. 14, 1962.
Tokens prepared for LDA: ['easement', 'agreement', 'north', 'trafalgar', 'development', 'heathmuir', 'investment', 'november']
Original Request: All documents related to third party signage at ().
Tokens prepared for LDA: ['document', 'relate', 'party', 'signage']
Original Request: Record identifying the person who made a complaint to ML&S leading to the issuance of notice No. A14-018486.
Tokens prepared for LDA: ['record', 'identify', 'person', 'complaint', 'issuance', 'notice', '018486']
Original Request: Copies of all requested and or approved permits issued to () since Jan. 1, 1996 to Oct. 30. 2014.
Tokens prepared for LDA: ['copy', 'request', 'approve', 'permit', 'issue', 'january', 'october']
Original Request: A copy of Toronto Water inspection report for (). Record search from Jan. 1, 2014 to Mar. 31, 2014.
Tokens prepared for LDA: ['toronto', 'water', 'inspection', 'report', 'record', 'search', 'january', 'march']
Original Request: Copies of community garden applications for: Oriole Park Community Garden, 201 Oriole Parkway.
Tokens prepared for LDA: ['copy', 'community', 'garden', 'application', 'oriole', 'community', 'garden', 'oriole', 'parkway']
Original Request: A copy of Toronto Water inspection report for () ref. # 3010946.
Tokens prepared for LDA: ['toronto', 'water', 'inspection', 'report', '3010946']
Original Request: Building permit records; records of complaints and violations from Building, ML&S and Fire Services for (). from beginning to present.
Tokens prepared for LDA: ['building', 'permit', 'record', 'record', 'complaint', 'violation', 'building', 'services', 'begin', 'present']
Original Request: A copy of inspection report pertaining to damages to garage door at () by owner of (), reference # 3014491. John Delia was the inspector.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'damage', 'garage', 'owner', 'reference', '3014491', 'delia', 'inspector']
Original Request: Building permit records; records of complaints and violations from Building, ML&S and Fire Services for () from Jan. 1, 2004 to Dec. 31, 2013
Tokens prepared for LDA: ['building', 'permit', 'record', 'record', 'complaint', 'violation', 'building', 'services', 'january', 'december']
Original Request: A copy of incident report regarding (Personal Information Severed) who sustained injuries in a fall which occurred at the Golding Community Centre - 45 Golding Ave.. Record search from Oct. 18, 2014 to Nov. 3, 2014.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'personal', 'information', 'sever', 'sustain', 'injury', 'occur', 'golding', 'community', 'centre', 'golding', 'record', 'search', 'october', 'november']
Original Request: Record identifying the person who called Toronto Police on Oct. 10, 2014 for the hospitalization of (Personal Information Severed) of ().
Tokens prepared for LDA: ['record', 'identify', 'person', 'toronto', 'police', 'october', 'hospitalization', 'personal', 'information', 'sever']
Original Request: A complete copy of building file for () including committee of adjustment records, plans, inspection reports and e-mail communication between City staff and external parties. Record search Jan. 1, 2012 to Nov. 2, 2014.
Tokens prepared for LDA: ['complete', 'build', 'include', 'committee', 'adjustment', 'record', 'inspection', 'report', 'communication', 'staff', 'external', 'party', 'record', 'search', 'january', 'november']
Original Request: Copies of community garden applications for Beltline Trail Community Garden, 253 Merton St.
Tokens prepared for LDA: ['copy', 'community', 'garden', 'application', 'beltline', 'trail', 'community', 'garden', 'merton']
Original Request: A copy of incident report pertaining to Annette Community Recreation Centre where (Personal Information Severed) suffered a fall.
Tokens prepared for LDA: ['incident', 'report', 'pertain', 'annette', 'community', 'recreation', 'centre', 'personal', 'information', 'sever', 'suffer']
Original Request: Record showing the number of times the City was called to () regarding backed up drains. Record search from 2003 to October 16, 2014.
Tokens prepared for LDA: ['record', 'regard', 'drain', 'record', 'search', 'october']
Original Request: Copies of all building permits issued and applications made for property at () from 1977 to 2011.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'application', 'property']
Original Request: Copies of all building permits issued and applications made for property at () from 1977 to 2011.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'application', 'property']
Original Request: Record of all building permits issued to () from as far back as possible to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'possible', 'present']
Original Request: Copies of mould inspection reports for ().) from Aug. 2014 to Oct. 2014.
Tokens prepared for LDA: ['copy', 'mould', 'inspection', 'report', 'august', 'october']
Original Request: A complete copy of file 14 184222 DRL OO DR for () including inspection notes and any rebates made payable to property owner.
Tokens prepared for LDA: ['complete', '184222', 'include', 'inspection', 'rebate', 'payable', 'property', 'owner']
Original Request: A complete copy of file 14 184222 DRL OO DR for () including inspection notes and any rebates made payable to property owner.
Tokens prepared for LDA: ['complete', '184222', 'include', 'inspection', 'rebate', 'payable', 'property', 'owner']
Original Request: A copy of inspection notes and report for () permit no. 11152787.
Tokens prepared for LDA: ['inspection', 'report', 'permit', '11152787']
Original Request: Record of the legal status of apartment at () including any permits issued or applied for. Record search from 1985 to 2014.
Tokens prepared for LDA: ['record', 'legal', 'status', 'apartment', 'include', 'permit', 'issue', 'apply', 'record', 'search']
Original Request: Records of election sign violations issued by ML&S to candidates running in wards: 7, 1, 2, 3, 4 & 28, including the affidavits which waives these fines.
Tokens prepared for LDA: ['record', 'election', 'violation', 'issue', 'candidate', 'include', 'affidavit', 'waive']
Original Request: A copy of inspection report, memos and notes pertaining to dog attack incident at () on Aug. 20, 2014 in which (Personal Information Severed) was injured.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'attack', 'incident', 'august', 'personal', 'information', 'sever', 'injure']
Original Request: All City records, documents and minutes pertaining to the security or safety measures for Caribana/Scotiabank Caribbean Festival, from 2006 to 2014.
Tokens prepared for LDA: ['record', 'document', 'minute', 'pertain', 'security', 'safety', 'measure', 'caribana', 'scotiabank', 'caribbean', 'festival']
Original Request: All e-mails or internal memos/reports on the subject of outsourcing waste collection east of Yonge St., including any calculations or estimates of the potential savings of such a move. Record search from February 1, 2014 and November 5, 2014.
Tokens prepared for LDA: ['internal', 'report', 'subject', 'outsource', 'waste', 'collection', 'yonge', 'include', 'calculation', 'estimate', 'potential', 'saving', 'record', 'search', 'february', 'november']
Original Request: All e-mails on the subject of council seating arrangement or City Hall office arrangements, sent to or from councillors-elect or the Mayor-Elect between October 26,2014 and November 5, 2014.
Tokens prepared for LDA: ['subject', 'council', 'arrangement', 'office', 'arrangement', 'councillor', 'elect', 'mayor', 'elect', 'october', '26,2014', 'november']
Original Request: Record of all e-mails from Joe Pennachetti, Rob Rossini or Rebecca Condon on the subject of Tax Increment Financing (TIF) from July 1, 2014 to November 5, 2014.
Tokens prepared for LDA: ['record', 'pennachetti', 'rossini', 'rebecca', 'condon', 'subject', 'increment', 'financing', 'november']
Original Request: Record of all complaints filed against ML&S Officer including those regarding the improper laying of a by-law charge and the outcome of any disciplinary action.
Tokens prepared for LDA: ['record', 'complaint', 'officer', 'include', 'regard', 'improper', 'charge', 'outcome', 'disciplinary', 'action']
Original Request: Copies of all building permit applications, zoning, committee of adjustments, inspection notes reports and any other related records for ().
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'committee', 'adjustment', 'inspection', 'report', 'relate', 'record']
Original Request: Copies of all building permit applications, zoning, committee of adjustments, inspection notes reports and any other related records for ().
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'committee', 'adjustment', 'inspection', 'report', 'relate', 'record']
Original Request: Copies of all building permit applications, zoning, committee of adjustments, inspection notes reports and any other related records for (.).
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'committee', 'adjustment', 'inspection', 'report', 'relate', 'record']
Original Request: Records of building permits issued to () including fire inspection reports related to hazardous material storage, storage tanks and spills. Record search 1960 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'include', 'inspection', 'report', 'relate', 'hazardous', 'material', 'storage', 'storage', 'spill', 'record', 'search', 'present']
Original Request: Any and all records pertaining to () as a grow-op or drug house. Including violations, complaints and remediation records. Record search from Jan 1, 1980 to Jan 1, 2014.
Tokens prepared for LDA: ['record', 'pertain', 'house', 'include', 'violation', 'complaint', 'remediation', 'record', 'record', 'search']
Original Request: A copy of the garbage and recycling schedule for Miller Waste Systems outlining pick up dates and times from Downsview Secondary School located at 7 Hawksdale Rd. for the period Jan. 1, 2013 to Nov. 3, 2014.
Tokens prepared for LDA: ['garbage', 'recycle', 'schedule', 'miller', 'waste', 'system', 'outline', 'downsview', 'secondary', 'school', 'locate', 'hawksdale', 'period', 'january', 'november']
Original Request: A copy of the garbage and recycling schedule for Miller Waste Systems outlining pick up dates and times from Downsview Secondary School located at 7 Hawksdale Rd. for the period Jan. 1, 2013 to Nov. 3, 2014.
Tokens prepared for LDA: ['garbage', 'recycle', 'schedule', 'miller', 'waste', 'system', 'outline', 'downsview', 'secondary', 'school', 'locate', 'hawksdale', 'period', 'january', 'november']
Original Request: Copies of property tax bills/credits issued to property with roll number 1904-03-2-010-00661-0000 (232-10 Foundry Ave.) in 2012. Also, a copy of the tax statement history detailing all transactions for 2012 and 2013.
Tokens prepared for LDA: ['copy', 'property', 'credit', 'issue', 'property', '00661', 'foundry', 'statement', 'history', 'transaction']
Original Request: Any and all records pertaining to the sewers in and around () including maintenance, complaint and service records from Jan. 2004 to Aug. 2014.
Tokens prepared for LDA: ['record', 'pertain', 'sewer', 'include', 'maintenance', 'complaint', 'service', 'record', 'january', 'august']
Original Request: A complete copy of committee of adjustments file BO102/06 TEY ().
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'bo102/06']
Original Request: A copy of slip and fall incident report involving (Personal Information Severed) which occurred on the property of Seven Oaks LTC Facility, 9 Neilson Rd. on Jun. 5, 2014.
Tokens prepared for LDA: ['incident', 'report', 'involve', 'personal', 'information', 'sever', 'occur', 'property', 'seven', 'facility', 'neilson']
Original Request: Record of all complaints pertaining to () from Jan. 1, 1995 to Nov. 1, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'pertain', 'january', 'november']
Original Request: A copy of fire inspection report for () between Jan. 10, 2014 to Jan. 16, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'january', 'january']
Original Request: Record indicating whether or not Runnymede Rd was a one way, each way with a bike lane and parking along the curb as of Apr. 25, 2009.
Tokens prepared for LDA: ['record', 'indicate', 'runnymede', 'april']
Original Request: A copy of ML&S inspection report for (.) regarding the percentage residential/business use of the property. Inspector, Tiffen Williams. Record search from Jan. 1, 1999 to Nov. 6, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'percentage', 'residential', 'business', 'property', 'inspector', 'tiffen', 'williams', 'record', 'search', 'january', 'november']
Original Request: The identity of the person who complained about the storage of leaves in garbage cans at property located at () Record search from Nov.5, 2014 to present.
Tokens prepared for LDA: ['identity', 'person', 'complain', 'storage', 'leave', 'garbage', 'property', 'locate', 'record', 'search', 'nov.5', 'present']
Original Request: In electronic format; record of the number of non-residents eligible to vote in the 2006, 2010 and 2014 municipal elections. A breakdown of the non-resident votes cast by polling station for 2006, 2010 and 2014.
Tokens prepared for LDA: ['electronic', 'format', 'record', 'resident', 'eligible', 'municipal', 'election', 'breakdown', 'resident', 'station']
Original Request: In electronic format; a breakdown of how much all City of Toronto employees received in overtime pay in 2013. If possible, the information should be organized into the following categories: Name, Title, Division, Total Pay, and Overtime Pay.
Tokens prepared for LDA: ['electronic', 'format', 'breakdown', 'toronto', 'employee', 'receive', 'overtime', 'possible', 'information', 'organize', 'follow', 'category', 'title', 'division', 'total', 'overtime']
Original Request: In electronic format; record of the number of formal sexual harassment complaints received by the City since 2010.
Tokens prepared for LDA: ['electronic', 'format', 'record', 'formal', 'sexual', 'harassment', 'complaint', 'receive']
Original Request: Copies of permit applications and open permits issued to property located at (). Record search Jan. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'permit', 'issue', 'property', 'locate', 'record', 'search', 'january', 'present']
Original Request: Complete record of open permits files for (): 06 115743 FSU 02 FS; 05 133430 BLD 01; 05 129379 HVA 01 MS; 06 115743 FSU 00 FS; 05 129379 BLD 01 BA; 05 129379 HVA 02 MS; 05 133430 HVA 01 MS; 08 120753 BLD 00 BA; 05 133430 HVA 02 MS etc.
Tokens prepared for LDA: ['complete', 'record', 'permit', '115743', '133430', '129379', '115743', '129379', '129379', '133430', '120753', '133430']
Original Request: A copy of all plans and drawings of file A0424/08 TEY, in electronic format for (.).
Tokens prepared for LDA: ['drawing', 'a0424/08', 'electronic', 'format']
Original Request: A copy of all plans and drawings of file A0425/08 TEY, in electronic format for ().
Tokens prepared for LDA: ['drawing', 'a0425/08', 'electronic', 'format']
Original Request: A complete un-redacted copy (minus protected third party information) of any calls for service to (Glendon College), (York Univerisity) (2275 Bayview Ave.), including but not limited to medical assistance from June 6, 2011 to Sept. 30, 2014.
Tokens prepared for LDA: ['complete', 'redact', 'minus', 'protect', 'party', 'information', 'service', 'glendon', 'college', 'univerisity', 'bayview', 'include', 'limit', 'medical', 'assistance', 'september']
Original Request: Copies of any and all e-mails, documents, memos, letters or any type of other communications sent out or received by the Access & Privacy Unit regarding FOI submission by (Personal Information Severed).
Tokens prepared for LDA: ['copy', 'document', 'letter', 'communication', 'receive', 'access', 'privacy', 'regard', 'submission', 'personal', 'information', 'sever']
Original Request: Record of all statements and any other investigative material pertaining to property fire at ().
Tokens prepared for LDA: ['record', 'statement', 'investigative', 'material', 'pertain', 'property']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Copies of all application permits, notes, declarations and correspondence related to (), 14245 124 BLD 00 SR. Record search Apr. 01, 2014 to Nov. 12, 2014.
Tokens prepared for LDA: ['copy', 'application', 'permit', 'declaration', 'correspondence', 'relate', '14245', 'record', 'search', 'april', 'november']
Original Request: A complete copy of building file for () from the time of initial construction to present.
Tokens prepared for LDA: ['complete', 'build', 'initial', 'construction', 'present']
Original Request: Record of any work orders and complaints file against () from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['record', 'order', 'complaint', 'january', 'present']
Original Request: Record of by-law, fire & building inspections performed in 2014 for ().
Tokens prepared for LDA: ['record', 'build', 'inspection', 'perform']
Original Request: Record of all issued building permits, permit applications, drawings inspection notes and documents for () including fire inspection records, architectural and engineer general review letters and application forms. Record search from 1960
Tokens prepared for LDA: ['record', 'issue', 'build', 'permit', 'permit', 'application', 'drawing', 'inspection', 'document', 'include', 'inspection', 'record', 'architectural', 'engineer', 'general', 'review', 'letter', 'application', 'record', 'search']
Original Request: A complete copy of file, including any eye witness statements or investigative reports regarding (Personal Information Severed) who was involved in an incident Nov. 2, 2009 while on the property of Mid Scarborough Community Centre.
Tokens prepared for LDA: ['complete', 'include', 'witness', 'statement', 'investigative', 'report', 'regard', 'personal', 'information', 'sever', 'involve', 'incident', 'november', 'property', 'scarborough', 'community', 'centre']
Original Request: Copies of order to comply issued to () including final infraction inspection from 2009 inspection, revised permit application for side door and rejection notice for application regarding new side door revision.
Tokens prepared for LDA: ['copy', 'order', 'comply', 'issue', 'include', 'final', 'infraction', 'inspection', 'inspection', 'revise', 'permit', 'application', 'rejection', 'notice', 'application', 'regard', 'revision']
Original Request: Record of all permits issued to ().
Tokens prepared for LDA: ['record', 'permit', 'issue']
Original Request: A copy of forestry inspection report on Silver Maple Tree at (). Record search Dec. 22, 2013 to Nov. 13, 2014.
Tokens prepared for LDA: ['forestry', 'inspection', 'report', 'silver', 'maple', 'record', 'search', 'december', 'november']
Original Request: Copies of all requests for inspections at (), the corresponding reports(showing dates and times) and the identity of the complainant (s) from Jan. 1, 2014 to Oct. 31, 2014
Tokens prepared for LDA: ['copy', 'request', 'inspection', 'correspond', 'reports(showing', 'identity', 'complainant', 'january', 'october']
Original Request: Permit record for the home builder or developer who performed work at () on May 21, 2014; pursuant to damages sustained by Bell Canada property during construction.
Tokens prepared for LDA: ['permit', 'record', 'builder', 'developer', 'perform', 'pursuant', 'damage', 'sustain', 'canada', 'property', 'construction']
Original Request: A copy of video surveillance capture of a motor vehicle accident south on Don Mills Rd; on Oct. 23, 2014 between 7:25 am - 7:45 am, involving a tractor trailer and a BMW, X5 Model.
Tokens prepared for LDA: ['video', 'surveillance', 'capture', 'motor', 'vehicle', 'accident', 'south', 'mills', 'october', 'involve', 'tractor', 'trailer', 'model']
Original Request: Record of building deficiency reports and any other documents relating to repairs at 75 Eglinton Ave. W., Toronto Police, 53rd Division. Record search Jan. 1, 2009 to Jul. 28, 2014.
Tokens prepared for LDA: ['record', 'build', 'deficiency', 'report', 'document', 'relate', 'repair', 'eglinton', 'toronto', 'police', 'division', 'record', 'search', 'january']
Original Request: Copies of any and all records/documentation regarding work order violations at () and work orders for work performed by the City on said property since Aug. 29, 2014.
Tokens prepared for LDA: ['copy', 'record', 'documentation', 'regard', 'order', 'violation', 'order', 'perform', 'property', 'august']
Original Request: A complete copy of file, including all service records and e-mails regarding tree removal at () and a dispute with (). Also, any information on the conviction of (Viking Tree Service) for illegal tree removal.
Tokens prepared for LDA: ['complete', 'include', 'service', 'record', 'regard', 'removal', 'dispute', 'information', 'conviction', 'viking', 'service', 'illegal', 'removal']
Original Request: A copy of plumbing inspection report for () ref. # (Personal Information removed)
Tokens prepared for LDA: ['plumb', 'inspection', 'report', 'personal', 'information', 'remove']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Copies of all communication and documents of any kind including but not limited to letters, e-mails, memorandum, hand-written notes, and or electronic copies of same between John Livey and City staff concerning or touching on (Royal St. George's College)
Tokens prepared for LDA: ['copy', 'communication', 'document', 'include', 'limit', 'letter', 'memorandum', 'write', 'electronic', 'livey', 'staff', 'concern', 'touch', 'royal', 'george', 'college']
Original Request: Record of all internal memos, reports and e-mails exchanged between the City Manager's Office - Joe Pennachetti, Metrolinx officials with @metrolinx.com e-mails and TTC officials, including Andy Byford and Brad Ross, about rats and Union Station.
Tokens prepared for LDA: ['record', 'internal', 'report', 'exchange', 'manager', 'office', 'pennachetti', 'metrolinx', 'official', '@metrolinx.com', 'official', 'include', 'byford', 'union', 'station']
Original Request: A complete copy of building permit and ML&S files for () regarding back patio on property.
Tokens prepared for LDA: ['complete', 'build', 'permit', 'regard', 'patio', 'property']
Original Request: A copy of the memo or report outlining the findings for the SmartTrack simulation test run by Toronto City Planning with the University of Toronto's transportation model (Intelligent Transportation Systems) in Oct. 2014.
Tokens prepared for LDA: ['report', 'outline', 'finding', 'smarttrack', 'simulation', 'toronto', 'planning', 'university', 'toronto', 'transportation', 'model', 'intelligent', 'transportation', 'system', 'october']
Original Request: A copy of report for fire inspection conducted on or about Sept. / Oct. 2014 at ().
Tokens prepared for LDA: ['report', 'inspection', 'conduct', 'september', 'october']
Original Request: The names of the contractors and City field inspectors who performed work on Grey Rd., sanitary sewers from 1990 to present. Specifically relating to work dome on capping of old laterals and construction of new laterals to infill housing.
Tokens prepared for LDA: ['contractor', 'field', 'inspector', 'perform', 'sanitary', 'sewer', 'present', 'specifically', 'relate', 'lateral', 'construction', 'lateral', 'infill', 'house']
Original Request: Electronic copies of previously released documents under: AG 2014-00951; AG 2013-01018 AG 2014-01125; AG 2013-01517 AG 2013-01828; AG 2013-01137
Tokens prepared for LDA: ['electronic', 'previously', 'release', 'document', '00951', '01018', '01125', '01517', '01828', '01137']
Original Request: Record of the annual income of taxi drivers, as estimated or calculated by City staff from 1997 through the 2013 calendar year. The average annual income of taxi drivers as submitted by taxi drivers on Waiting List, from 1997 through the 2013.
Tokens prepared for LDA: ['record', 'annual', 'income', 'driver', 'estimate', 'calculate', 'staff', 'calendar', 'average', 'annual', 'income', 'driver', 'submit', 'driver', 'waiting']
Original Request: Record showing the exact business type at (531 Evans. Ave.) between 1954 to 1983.
Tokens prepared for LDA: ['record', 'exact', 'business', 'evans']
Original Request: Contact information for the contractor who responded to a service call on or around Aug. 14, 2013; for repairs to broken concrete and water main in and around () Including, water main service records for the period Jun.-Oct. 2013.
Tokens prepared for LDA: ['contact', 'information', 'contractor', 'respond', 'service', 'august', 'repair', 'break', 'concrete', 'water', 'include', 'water', 'service', 'record', 'period', 'jun.-oct']
Original Request: A complete copy of PFR file pertaining to ravine trees at () including bond taken during construction at (). Record search Apr. 1, 2012 to Nov. 30, 2012.
Tokens prepared for LDA: ['complete', 'pertain', 'ravine', 'include', 'construction', 'record', 'search', 'april', 'november']
Original Request: The identity of the person(s) who made complaints against () regarding zoning, parking and bylaw issues. Record search from Oct. 2014 to Nov. 18, 2014.
Tokens prepared for LDA: ['identity', 'person(s', 'complaint', 'regard', 'bylaw', 'issue', 'record', 'search', 'october', 'november']
Original Request: Complete copies of COT Building (reports and permits), Health and Fire files for () from 2010 to 2014.
Tokens prepared for LDA: ['complete', 'building', 'report', 'permit', 'health']
Original Request: A complete copy file or files, inclusive of all written and electronic documents and correspondence, concerning the glass breakage events that took place on and after May, 2011 at ().
Tokens prepared for LDA: ['complete', 'inclusive', 'write', 'electronic', 'document', 'correspondence', 'concern', 'glass', 'breakage', 'event', 'place']
Original Request: A complete copy file or files, inclusive of all written and electronic documents and correspondence, concerning the glass breakage events that took place on and after Aug. 13, 2011 at (.).
Tokens prepared for LDA: ['complete', 'inclusive', 'write', 'electronic', 'document', 'correspondence', 'concern', 'glass', 'breakage', 'event', 'place', 'august']
Original Request: A complete copy file or files, inclusive of all written and electronic documents and correspondence, concerning the glass breakage events that took place on and after Apr. 1, 2010 at () and ().
Tokens prepared for LDA: ['complete', 'inclusive', 'write', 'electronic', 'document', 'correspondence', 'concern', 'glass', 'breakage', 'event', 'place', 'april']
Original Request: A copy of complaint report made by (Personal Information Severed) of () regarding changes made to grading construction in 2010 at () and a copy of inspector's report regarding same. Record search May 10, 2010 to Aug. 31, 2010.
Tokens prepared for LDA: ['complaint', 'report', 'personal', 'information', 'sever', 'regard', 'change', 'grade', 'construction', 'inspector', 'report', 'regard', 'record', 'search', 'august']
Original Request: A copy of repair order issued to landlord at ().
Tokens prepared for LDA: ['repair', 'order', 'issue', 'landlord']
Original Request: Records on re-zoning, alterations, building permits and/or inquiries, re-development, extensions for () from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['record', 'alteration', 'build', 'permit', 'and/or', 'inquiry', 'development', 'extension', 'january', 'present']
Original Request: City pipe, drain, sewer maintenance, repairs, work orders, flush records, city water report for () from Oct. 2008 to Nov. 2014.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'october', 'november']
Original Request: A copy of the original property inspection report for ().
Tokens prepared for LDA: ['original', 'property', 'inspection', 'report']
Original Request: Record of all written communication with respect to the (Dynamic Hospitality and Entertainment) proposal from Jun. 2013 to present between Councillor Ainslie, his staff and Beth McEwen, Ruthanne Henry, Richard Ubbens, Jason Doyle, Arthur Beauregard etc.
Tokens prepared for LDA: ['record', 'write', 'communication', 'respect', 'dynamic', 'hospitality', 'entertainment', 'proposal', 'present', 'councillor', 'ainslie', 'staff', 'mcewen', 'ruthanne', 'henry', 'richard', 'ubbens', 'jason', 'doyle', 'arthur', 'beauregard']
Original Request: Records pertaining to the proposed redevelopment of the Guild Inn by (Dynamic Hospitality and Entertainment).
Tokens prepared for LDA: ['record', 'pertain', 'propose', 'redevelopment', 'guild', 'dynamic', 'hospitality', 'entertainment']
Original Request: Records pertaining to the proposed redevelopment of the Guild Inn by (Dynamic Hospitality and Entertainment).
Tokens prepared for LDA: ['record', 'pertain', 'propose', 'redevelopment', 'guild', 'dynamic', 'hospitality', 'entertainment']
Original Request: Record of any existing orders issued to () to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property']
Original Request: A copy of building, health and fire records regarding grow-up at ().
Tokens prepared for LDA: ['build', 'health', 'record', 'regard']
Original Request: A copy of building, health and fire records regarding grow-up at ().
Tokens prepared for LDA: ['build', 'health', 'record', 'regard']
Original Request: A copy of written notes taken by the Fire Chief at the scene of () on Sept. 19, 2014.
Tokens prepared for LDA: ['write', 'chief', 'scene', 'september']
Original Request: A copy of PFR tree inspection report for property at (. Inspector, Gord Copland. Record search Aug. 1, 2014 to Sep. 30, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'property', 'inspector', 'copland', 'record', 'search', 'august', 'september']
Original Request: The identity of the person to whom permit was issued; permit # 14134449 () between Sept. 1 to Nov. 21, 2014
Tokens prepared for LDA: ['identity', 'person', 'permit', 'issue', 'permit', '14134449', 'september', 'november']
Original Request: Any instances of asbestos concerns and related follow-up in City of Toronto buildings from 2010 to present.
Tokens prepared for LDA: ['instance', 'asbestos', 'concern', 'relate', 'follow', 'toronto', 'building', 'present']
Original Request: Any records of fines or other penalties given to individuals or businesses for contravening the City's municipal code chapter 709, smoking.
Tokens prepared for LDA: ['record', 'penalty', 'individual', 'business', 'contravene', 'municipal', 'chapter', 'smoke']
Original Request: Any records from 2014 detailing infractions or violations of campaign rules of the Municipal Election Act by council or mayoral candidates.
Tokens prepared for LDA: ['record', 'infraction', 'violation', 'campaign', 'municipal', 'election', 'council', 'mayoral', 'candidate']
Original Request: Copies of ML&S (animal control) reports pertaining to investigations conducted at () sometime in Sep. 2010 and () sometime in Dec. 2012.
Tokens prepared for LDA: ['copy', 'animal', 'control', 'report', 'pertain', 'investigation', 'conduct', 'september', 'december']
Original Request: All applications and other documents on file ZR 14-114118 for (.).
Tokens prepared for LDA: ['application', 'document', '114118']
Original Request: In respect to invoice charge to the homeowner of () for work done to the right of way: 1) A detailed description of the work done. 2) Record of any outstanding amounts 3) A copy of the latest invoice showing the amount outstanding etc.
Tokens prepared for LDA: ['respect', 'invoice', 'charge', 'homeowner', 'right', 'description', 'record', 'outstanding', 'invoice', 'outstanding']
Original Request: Document showing the status of tree (whether public or private) which sits at (). Reference # 2822267.
Tokens prepared for LDA: ['document', 'status', 'public', 'private', 'reference', '2822267']
Original Request: A copy of inspection and incident report regarding of manhole cover on driveway at (). Record search Nov. 17, 2014 to Nov. 24, 2014.
Tokens prepared for LDA: ['inspection', 'incident', 'report', 'regard', 'manhole', 'cover', 'driveway', 'record', 'search', 'november', 'november']
Original Request: A copy of TPH inspection report at () on Nov. 21, 2014, 10:30 A.M. Inspector Ahmad Ahmaddzai.
Tokens prepared for LDA: ['inspection', 'report', 'november', '10:30', 'inspector', 'ahmad', 'ahmaddzai']
Original Request: Copies of documents on micro-fiche files 120029 and 196275 pertaining to ().
Tokens prepared for LDA: ['copy', 'document', 'micro', 'fiche', '120029', '196275', 'pertain']
Original Request: A copy of order to comply issued under #6548669, including recordings of visits to investigate, investigative notes and details from Aug. 2014 to Nov. 25, 2014.
Tokens prepared for LDA: ['order', 'comply', 'issue', '6548669', 'include', 'recording', 'visit', 'investigate', 'investigative', 'august', 'november']
Original Request: All record relating to ML&S inspection of () including all photographs, inspectors notes and findings from interviews with management. Inspector James Slocum. Record search Aug. 1, 2014 to present.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'include', 'photograph', 'inspector', 'finding', 'interview', 'management', 'inspector', 'james', 'slocum', 'record', 'search', 'august', 'present']
Original Request: A copy of investigation file ref #B43938 from Nov. 26, 2014 to present.
Tokens prepared for LDA: ['investigation', 'b43938', 'november', 'present']
Original Request: A complete copy of ML&S investigation file #14 251688 ZON 00IR (). Record search Nov. 1, 2014 to Nov. 28, 2014.
Tokens prepared for LDA: ['complete', 'investigation', '251688', 'record', 'search', 'november', 'november']
Original Request: A copy of receipt for permit for building contractor paid ($107.00) for the building permit issued for (), Etobicoke.
Tokens prepared for LDA: ['receipt', 'permit', 'build', 'contractor', '107.00', 'build', 'permit', 'issue', 'etobicoke']
Original Request: Copies of building permits or documentation of any changes to building located at () from 1950 to 1999.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'documentation', 'change', 'build', 'locate']
Original Request: A copy of 2013 zoning review application and all related correspondence for () requesting change of use to property from commercial space to community hall. Record search from 2010 to present.
Tokens prepared for LDA: ['review', 'application', 'relate', 'correspondence', 'request', 'change', 'property', 'commercial', 'space', 'community', 'record', 'search', 'present']
Original Request: A copy of work orders (2792612, 2998087 & 957-789) to sewer main line leading from house to street at () from Jul. 15, 2014 to Oct. 30, 2014.
Tokens prepared for LDA: ['order', '2792612', '2998087', 'sewer', 'house', 'street', 'october']
Original Request: All records, plans, incident reports, inspection reports, work orders, surveys etc. pertaining to the building and demolition at () from Sept. 1, 2013 to Nov. 28, 2014.
Tokens prepared for LDA: ['record', 'incident', 'report', 'inspection', 'report', 'order', 'survey', 'pertain', 'build', 'demolition', 'september', 'november']
Original Request: Copies of building permit applications (14-252507 & 14-251512) for complex located at () including the identity of the applicant and time of application.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', '252507', '251512', 'complex', 'locate', 'include', 'identity', 'applicant', 'application']
Original Request: Files for complaints between (Personal Information Severed) and (Personal Information Severed) and (Personal Information Severed) at (.). There were multiple incidents starting in 2007 or 2008 beginning on waste complaints. Records to include complaints filed on ().
Tokens prepared for LDA: ['file', 'complaint', 'personal', 'information', 'sever', 'personal', 'information', 'sever', 'personal', 'information', 'sever', 'multiple', 'incident', 'start', 'begin', 'waste', 'complaint', 'record', 'include', 'complaint']
Original Request: Access to City of Toronto "Internal Policies B1-B52" pertaining to Building Department.
Tokens prepared for LDA: ['access', 'toronto', 'internal', 'policy', 'b1-b52', 'pertain', 'building', 'department']
Original Request: Any and all documentations, correspondence, applications, photographs or status reports regarding the property at () from Jan. 1, 2010 to Dec. 1, 2014.
Tokens prepared for LDA: ['documentation', 'correspondence', 'application', 'photograph', 'status', 'report', 'regard', 'property', 'january', 'december']
Original Request: A copy of permit application and permit issued to cut down tree in the south east corner of backyard located at (). Tree was cut on Nov. 20, 2014.
Tokens prepared for LDA: ['permit', 'application', 'permit', 'issue', 'south', 'corner', 'backyard', 'locate', 'november']
Original Request: Record of Public Health investigative report and letters issued regarding hoarding issues with (Personal Information Severed) at (). Record search Nov. 6, 2014 to Nov. 20, 2014.
Tokens prepared for LDA: ['record', 'public', 'health', 'investigative', 'report', 'letter', 'issue', 'regard', 'hoard', 'issue', 'personal', 'information', 'sever', 'record', 'search', 'november', 'november']
Original Request: Record of incident report regarding fallen Maple tree at () including maintenance history, City/arborist reports, permit and report to remove branches. Record search Dec. 2, 2012 to Dec. 2, 2014.
Tokens prepared for LDA: ['record', 'incident', 'report', 'regard', 'maple', 'include', 'maintenance', 'history', 'arborist', 'report', 'permit', 'report', 'remove', 'branch', 'record', 'search', 'december', 'december']
Original Request: Record of incident report regarding fallen Maple tree at () including maintenance history, City/arborist reports, permit and report to remove branches. Record search Dec. 2, 2012 to Dec. 2, 2014.
Tokens prepared for LDA: ['record', 'incident', 'report', 'regard', 'maple', 'include', 'maintenance', 'history', 'arborist', 'report', 'permit', 'report', 'remove', 'branch', 'record', 'search', 'december', 'december']
Original Request: Historical information regarding the unregistered Woodborough landfill previously located at 2175 Keele St. and second landfill located on the south portion of the property. Including, the operational history of the landfill and the nature of the waste.
Tokens prepared for LDA: ['historical', 'information', 'regard', 'unregistered', 'woodborough', 'landfill', 'previously', 'locate', 'keele', 'landfill', 'locate', 'south', 'portion', 'property', 'include', 'operational', 'history', 'landfill', 'nature', 'waste']
Original Request: Copies of inspection notes for () under permits 229704 & 161961, issued 1986 and 1981 respectively.
Tokens prepared for LDA: ['copy', 'inspection', 'permit', '229704', '161961', 'issue', 'respectively']
Original Request: Record of asphalt mix design process for asphalt used at bus lane on Ellesmere Rd. on the north-east corner by Victoria Park Ave. Including results from tests (graduation tests, wheel tracking test, analysis of aggregate, gyratory compactor test etc.
Tokens prepared for LDA: ['record', 'asphalt', 'design', 'process', 'asphalt', 'ellesmere', 'north', 'corner', 'victoria', 'include', 'result', 'graduation', 'wheel', 'track', 'analysis', 'aggregate', 'gyratory', 'compactor']
Original Request: A sortable electronic document (such as a spreadsheet, database or .csv text file) showing all taxi plate transfers in Toronto from January 1, 2000 to the most recent available data, showing the month and year of the transfer, the amount of money paid etc
Tokens prepared for LDA: ['sortable', 'electronic', 'document', 'spreadsheet', 'database', 'plate', 'transfer', 'toronto', 'january', 'recent', 'available', 'datum', 'month', 'transfer', 'money']
Original Request: Copies of all outstanding work orders for () from 2000 to present.
Tokens prepared for LDA: ['copy', 'outstanding', 'order', 'present']
Original Request: All records of complaints made regarding () from 2008 to 2014.
Tokens prepared for LDA: ['record', 'complaint', 'regard']
Original Request: Copies of inspection records for (26 Venn Cres. (26A, 26B & 26C) including: building permits applications, examiners notices, planners notes and any other records regarding the property from 2006 to 2010.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'include', 'build', 'permit', 'application', 'examiner', 'notice', 'planner', 'record', 'regard', 'property']
Original Request: Copies of inspection records for () including: building permits applications, examiners notices, planners notes and any other records regarding the property from 2006 to 2010.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'include', 'build', 'permit', 'application', 'examiner', 'notice', 'planner', 'record', 'regard', 'property']
Original Request: All complaints to Toronto Building regarding renovations at () from May 2013 to present.
Tokens prepared for LDA: ['complaint', 'toronto', 'building', 'regard', 'renovation', 'present']
Original Request: Any and all complaints, charges, misconduct records pertaining to Toronto Police Officer during the entire history of his policing career with TPS.
Tokens prepared for LDA: ['complaint', 'charge', 'misconduct', 'record', 'pertain', 'toronto', 'police', 'officer', 'entire', 'history', 'police', 'career']
Original Request: Tape recording and or transcript of interview conducted on me, (Personal Information Severed) on Tuesday, November 25, 2014 by Toronto Police Services Investigator, Nancy VenVehel at 52 Division in Toronto.
Tokens prepared for LDA: ['record', 'transcript', 'interview', 'conduct', 'personal', 'information', 'sever', 'tuesday', 'november', 'toronto', 'police', 'services', 'investigator', 'nancy', 'venvehel', 'division', 'toronto']
Original Request: A copy of camera footage of the Don Valley Prkwy between Eglinton Ave. and Don Mills of a hit and run on Dec. 11, 2014 between 5:20 a.m. and 5:40 a.m.
Tokens prepared for LDA: ['camera', 'footage', 'valley', 'prkwy', 'eglinton', 'mills', 'december']
Original Request: Records of the number of various animals admitted, adopted from, euthanized and transferred by Toronto Animal Services; separately identified for the year 2012 and 2013.
Tokens prepared for LDA: ['record', 'various', 'animal', 'admit', 'adopt', 'euthanize', 'transfer', 'toronto', 'animal', 'services', 'separately', 'identify']
Original Request: Schedules, scheduling notes, briefing notes, memos, draft speaking notes and e-mails/electronic communications produced, held or archived by the Mayor and the Chief of Staff, Special Assistant, Communications, Protocol Manager, Scheduler(s) and Policy Advisor.
Tokens prepared for LDA: ['schedule', 'schedule', 'brief', 'draft', 'speak', 'electronic', 'communication', 'produce', 'archive', 'mayor', 'chief', 'staff', 'special', 'assistant', 'communications', 'protocol', 'manager', 'scheduler(s', 'policy', 'advisor']
Original Request: All correspondence, internal and external regarding the re-development of the site at {} known internally as # {number removed}; with specific regards to permitting and By-law 3102-95, City of York Act.
Tokens prepared for LDA: ['correspondence', 'internal', 'external', 'regard', 'development', 'internally', 'remove', 'specific', 'regard', 'permit']
Original Request: A list of all standard taxicab licensed sales and transfers including; name of seller, purchaser and the price paid from Jan. 1, 2000 to Feb. 19, 2014.
Tokens prepared for LDA: ['standard', 'taxicab', 'license', 'transfer', 'include', 'seller', 'purchaser', 'price', 'january', 'february']
Original Request: All e-mail correspondence related to file # {file number removed} by planning staff including the assigned Planner and District Manager, stakeholders (applicant, bidders, other COT staff and related contracted consultants) for {}.
Tokens prepared for LDA: ['correspondence', 'relate', 'remove', 'staff', 'include', 'assign', 'planner', 'district', 'manager', 'stakeholder', 'applicant', 'bidder', 'staff', 'relate', 'contract', 'consultant']
Original Request: Any documents, minutes of meetings, letters, e-mails or other correspondence, including correspondence with Councillors, Committee meetings or records of lobbying efforts that mention "Palestine", "Canadians for Justice in the Middle East", or "CJPME".
Tokens prepared for LDA: ['document', 'minute', 'meeting', 'letter', 'correspondence', 'include', 'correspondence', 'councillor', 'committee', 'meeting', 'record', 'lobby', 'effort', 'mention', 'palestine', 'canadian', 'justice', 'middle', 'cjpme']
Original Request: Copies of various types of correspondence/records i.e. (e-mails, letters reports etc.) between members of COT staff, other businesses and {company's } pertaining to Coxwell Sanitary Trunk Sewer Bypass project from 2008 to 2014.
Tokens prepared for LDA: ['copy', 'various', 'correspondence', 'record', 'letter', 'report', 'member', 'staff', 'business', 'company', 'pertain', 'coxwell', 'sanitary', 'trunk', 'sewer', 'bypass', 'project']
Original Request: Records of any ML&S orders issued to TCHC building at {} pertaining to maintenance issues, including inspection reports or complaints from 2009 to 2014.
Tokens prepared for LDA: ['record', 'order', 'issue', 'build', 'pertain', 'maintenance', 'issue', 'include', 'inspection', 'report', 'complaint']
Original Request: Any and all documents relating to what is commonly referred to as the First Gulf Development as they relate to the lands commonly referred to as the "Unilever Lands", including any documentation or correspondence as it relates to the Don Valley Parkway.
Tokens prepared for LDA: ['document', 'relate', 'commonly', 'refer', 'development', 'relate', 'commonly', 'refer', 'unilever', 'land', 'include', 'documentation', 'correspondence', 'relate', 'valley', 'parkway']
Original Request: A copy of the report and documentation that was prepared with respect to a dog bite incident that occurred at the premises of {} in which {individual's name} was bitten by a German Sheppard.
Tokens prepared for LDA: ['report', 'documentation', 'prepare', 'respect', 'incident', 'occur', 'premise', 'individual', 'german', 'sheppard']
Original Request: All ML&S orders issued to {} including any information regarding by-law enforcement, licenses, permits, exemptions and orders to remedy. Any inspection reports and orders to comply with building codes from Toronto Building.
Tokens prepared for LDA: ['order', 'issue', 'include', 'information', 'regard', 'enforcement', 'license', 'permit', 'exemption', 'order', 'remedy', 'inspection', 'report', 'order', 'comply', 'build', 'toronto', 'building']
Original Request: Copies of all Municipal Licensing and Standards records for {} from 2001 to date as indicated by database printout.
Tokens prepared for LDA: ['copy', 'municipal', 'license', 'standard', 'record', 'indicate', 'database', 'printout']
Original Request: Any and all correspondence as it relates to the Notice of Violation 13-262576 and {individual's name}.
Tokens prepared for LDA: ['correspondence', 'relate', 'notice', 'violation', '262576', 'individual', 'name}.']
Original Request: Any information, notes, e-mails, letters that come from neighbours complaining about building or planning violations for {}, specifically the garage/carport, the deck, hedges/fences and the mudroom/porch from Sept. 9, 2012 to May 2, 2014.
Tokens prepared for LDA: ['information', 'letter', 'neighbour', 'complain', 'build', 'violation', 'specifically', 'garage', 'carport', 'hedge', 'fence', 'mudroom', 'porch', 'september']
Original Request: All records relating to RFP # 9145-13-7054 on the Public Opinion Research Services, including all information submitted by all 8 candidates as well as their scores (detailed, section by section), and each evaluator's individual scores.
Tokens prepared for LDA: ['record', 'relate', 'public', 'opinion', 'research', 'services', 'include', 'information', 'submit', 'candidate', 'score', 'section', 'section', 'evaluator', 'individual', 'score']
Original Request: A copy of the internal form, checklist or other internal documents used by the Chief Building Officer or any other staff in the building department to assist in determining: a. whether a building application is complete b. complies with applicable law;
Tokens prepared for LDA: ['internal', 'checklist', 'internal', 'document', 'chief', 'building', 'officer', 'staff', 'build', 'department', 'assist', 'determine', 'build', 'application', 'complete', 'comply', 'applicable']
Original Request: Record of meeting calendar and appointments for: Executive Director of MLS, Tracey Cook, Assistant to the Executive Director, Angelica Santos, and Project Manager, Taxi Industry Review, Vanessa Fletcher. Records from Jan. 1, 2013 to May 21, 2014.
Tokens prepared for LDA: ['record', 'calendar', 'appointment', 'executive', 'director', 'tracey', 'assistant', 'executive', 'director', 'angelica', 'santos', 'project', 'manager', 'industry', 'review', 'vanessa', 'fletcher', 'record', 'january']
Original Request: Copies of various contract information related to 96 playground constructions in the City from Jan. 1, 2013 to Dec. 31, 2013 in relation to FOI# 2012-02755.
Tokens prepared for LDA: ['copy', 'various', 'contract', 'information', 'relate', 'playground', 'construction', 'january', 'december', 'relation', '02755']
Original Request: Copies of various correspondence and documents between Councillor Paul Ainslie, PFR, other City divisions, businesses and private individuals concerning EAB management activities at Guildwood and South Marine Parks from 2013 to 2014.
Tokens prepared for LDA: ['copy', 'various', 'correspondence', 'document', 'councillor', 'ainslie', 'division', 'business', 'private', 'individual', 'concern', 'management', 'activity', 'guildwood', 'south', 'marine', 'parks']
Original Request: Copies of various correspondence and documents between Councillor Paul Ainslie, PFR, other City divisions, businesses and private individuals concerning EAB management activities at Guildwood and South Marine Parks from 2013 to 2014.
Tokens prepared for LDA: ['copy', 'various', 'correspondence', 'document', 'councillor', 'ainslie', 'division', 'business', 'private', 'individual', 'concern', 'management', 'activity', 'guildwood', 'south', 'marine', 'parks']
Original Request: Record of minutes pertaining to meetings attended by General Manager, Transportation Services, Stephen Buckley on Thursdays 12 to 2 p.m. from March 6, 2014 to present; to discuss road work on the Gardiner Expressway.
Tokens prepared for LDA: ['record', 'minute', 'pertain', 'meeting', 'attend', 'general', 'manager', 'transportation', 'services', 'stephen', 'buckley', 'thursday', 'march', 'present', 'discus', 'gardiner', 'expressway']
Original Request: Copies of all documents and communication related to the Downtown relief Line aka. (The Relief Line, The Yonge Street Relief Line and other names) produced or received by Councillors Paula Fletcher and Pam McConnell.
Tokens prepared for LDA: ['copy', 'document', 'communication', 'relate', 'downtown', 'relief', 'relief', 'yonge', 'street', 'relief', 'produce', 'receive', 'councillor', 'paula', 'fletcher', 'mcconnell']
Original Request: Copies of all documents regarding the {Company's individual's } development at George Appleway, Toronto by {Company's individual's } and {Company's individual's } including building permits, zoning documents correspondence and contracts.
Tokens prepared for LDA: ['copy', 'document', 'regard', 'company', 'individual', 'development', 'george', 'appleway', 'toronto', 'company', 'individual', 'company', 'individual', 'include', 'build', 'permit', 'document', 'correspondence', 'contract']
Original Request: Copies of all documents for {} relating to reports, recommendations, inspections, diaries, work orders and records in and around the property.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'report', 'recommendation', 'inspection', 'diary', 'order', 'record', 'property']
Original Request: All EMS incident reports for {} including the reason, number of calls and number of vehicles responding, from Jan. 1, 2013 to Jun. 1, 2014.
Tokens prepared for LDA: ['incident', 'report', 'include', 'reason', 'vehicle', 'respond', 'january']
Original Request: Record of bidding scores and the company awarded the bid for RFP # 0208-13-3158 relating toTransportation Services Request for Proposal- Anti Graffiti Wrap for transit boxes.
Tokens prepared for LDA: ['record', 'score', 'company', 'award', 'relate', 'totransportation', 'services', 'request', 'proposal-', 'graffiti', 'transit']
Original Request: Results of ML&S inspection and copy of the Notice/Order to Comply for investigation # 14-157599 ZON IV. Inspection was done on May15, 2014, Order was issued on May 16, 2014. Compliance expiry date is June 16, 2014.
Tokens prepared for LDA: ['result', 'inspection', 'notice', 'order', 'comply', 'investigation', '157599', 'inspection', 'may15', 'order', 'issue', 'compliance', 'expiry']
Original Request: HKPR case from pain clinic; investigation results into cluster of illnesses reported relating to the {company's } located at {.}, from June 2012 to Jan. 2013.
Tokens prepared for LDA: ['clinic', 'investigation', 'result', 'cluster', 'illness', 'report', 'relate', 'company', 'locate', 'january']
Original Request: Complete file from ML&S for {company's }, including but not limited to any investigations carried out, application for license, decision and or any complaints made by residents to ML&S, Confirmation of license if the company is now licensed.
Tokens prepared for LDA: ['complete', 'company', 'include', 'limit', 'investigation', 'carry', 'application', 'license', 'decision', 'complaint', 'resident', 'confirmation', 'license', 'company', 'license']
Original Request: All details of investigations and recommendations relating to Animal Control investigation # 2720810 from May 24, 2014 to June 1, 2014.
Tokens prepared for LDA: ['investigation', 'recommendation', 'relate', 'animal', 'control', 'investigation', '2720810']
Original Request: All 311 calls made to ML&S regarding {} by other parties / neighbours from 2009 to present, including calls, complaint records and actual inspections.
Tokens prepared for LDA: ['regard', 'party', 'neighbour', 'present', 'include', 'complaint', 'record', 'actual', 'inspection']
Original Request: Inspection report, sewer service line, CCTV report including easement and lateral; property site history check, copies of water/sewer records, inspections and repairs including easement and lateral; snake and camera report for {}.
Tokens prepared for LDA: ['inspection', 'report', 'sewer', 'service', 'report', 'include', 'easement', 'lateral', 'property', 'history', 'check', 'water', 'sewer', 'record', 'inspection', 'repair', 'include', 'easement', 'lateral', 'snake', 'camera', 'report']
Original Request: Sign in and out for Ashbridge's Bay security, in particular all sign in and out for {individual's name}, {individual's name}, and {individual's name} from {company's } locating for Sept. 23, 24, 25, 2013.
Tokens prepared for LDA: ['ashbridge', 'security', 'particular', 'individual', 'individual', 'individual', 'company', 'locate', 'september']
Original Request: Copies of Joe Pennachetti's forecast agendas and any records related to agendas, i.e. e-mails, briefing notes etc. from June 4, 2014 to Nov. 30, 2014.
Tokens prepared for LDA: ['copy', 'pennachetti', 'forecast', 'agenda', 'record', 'relate', 'agenda', 'brief', 'november']
Original Request: A copy of building permit application file # 13- 218048 BLD 01 SR for {}. This application is for SFD detached multiple projects.
Tokens prepared for LDA: ['build', 'permit', 'application', '218048', 'application', 'detach', 'multiple', 'project']
Original Request: List of violations against a contractor named {individual's name} operates under the company's removed of {company's }.
Tokens prepared for LDA: ['violation', 'contractor', 'individual', 'operate', 'company', 'remove', 'company']
Original Request: List of violations against a contractor named {individual's name} operates under the company's removed of {company's }.
Tokens prepared for LDA: ['violation', 'contractor', 'individual', 'operate', 'company', 'remove', 'company']
Original Request: Any material relating to ML&S investigation for {}, including investigation # 14-146006 ZON 00 IR; 13-163873 NOI 00 IR; 13-154587 ZON 00 IR. Also, any correspondence re: {} involving office of Councillor Fragedakis
Tokens prepared for LDA: ['material', 'relate', 'investigation', 'include', 'investigation', '146006', '163873', '154587', 'correspondence', 'involve', 'office', 'councillor', 'fragedakis']
Original Request: All building inspection notes for {} from 2010 to 2014.
Tokens prepared for LDA: ['build', 'inspection']
Original Request: Complete particulars with respect to services at or near pole #42 at St. Clair Ave. W. within the west sidewalk allowance at Oakwood Ave. Cut Permit or other documents relating to the services; documents for inspections of the sidewalk.
Tokens prepared for LDA: ['complete', 'particular', 'respect', 'service', 'clair', 'sidewalk', 'allowance', 'oakwood', 'permit', 'document', 'relate', 'service', 'document', 'inspection', 'sidewalk']
Original Request: Soil test results for the former lawn bowling green at Ravina Gardens park located at 290 Clendenan Ave.
Tokens prepared for LDA: ['result', 'green', 'ravina', 'garden', 'locate', 'clendenan']
Original Request: All records for {} folder #. {number} including but not limited to garage permit application, permit, inspection notes etc.
Tokens prepared for LDA: ['record', 'folder', 'include', 'limit', 'garage', 'permit', 'application', 'permit', 'inspection']
Original Request: A copy of all work orders issued to {individual's name} for {} and all related orders, follow-ups and resolutions. Case # {number removed}. Also a copy of complaint {number removed} follow-ups and resolutions. Record search Aug. 1, 2013 to Jun. 20, 2014.
Tokens prepared for LDA: ['order', 'issue', 'individual', 'relate', 'order', 'follow', 'resolution', 'removed}.', 'complaint', 'remove', 'follow', 'resolution', 'record', 'search', 'august']
Original Request: A copy of contract regarding request for proposal RFP 0613-12-0033, contract of the awarded food supplier to provide services to various childcare centres, copy of the amended contract, unit price and total price of the contract from 2012 to 2014.
Tokens prepared for LDA: ['contract', 'regard', 'request', 'proposal', 'contract', 'award', 'supplier', 'provide', 'service', 'various', 'childcare', 'centre', 'amend', 'contract', 'price', 'total', 'price', 'contract']
Original Request: A copy of all building permits associated with 2-storey addition at {}. Record of all phone and e-mail complaints initiated by {individual's name} and or {individual's name} of {}.
Tokens prepared for LDA: ['build', 'permit', 'associate', '2-storey', 'addition', 'record', 'phone', 'complaint', 'initiate', 'individual', 'individual']
Original Request: All records, permits, variance applications, inspection notes, reports, photos, geotechnical observations etc. related to residence and the construction of retaining wall at {} constructed around 1998.
Tokens prepared for LDA: ['record', 'permit', 'variance', 'application', 'inspection', 'report', 'photo', 'geotechnical', 'observation', 'relate', 'residence', 'construction', 'retain', 'construct']
Original Request: A copy of complaint record for incident report made by {individual's name} regarding a dumpster in the right of way between {}. on or around Aug. 2013 to Oct. 2013.
Tokens prepared for LDA: ['complaint', 'record', 'incident', 'report', 'individual', 'regard', 'dumpster', 'right', 'august', 'october']
Original Request: Records held by COT archives pertaining to the Riverdale Zoo: Series 1512, File 1276, Box PO14497, Folio 3 Series 11, File 167, Box 37744, Folio 2 Series 1512, File 444, Box 527602, Folio 9 Series 1512, File 642, Box 546852, Folio 6
Tokens prepared for LDA: ['record', 'archive', 'pertain', 'riverdale', 'series', 'po14497', 'folio', 'series', '37744', 'folio', 'series', '527602', 'folio', 'series', '546852', 'folio']
Original Request: All communication physical or electronic (via e-mails, meeting, input to City staff reports, memos etc.) between Councillor Norm Kelly's office while as City Councillor and Deputy Mayor and City staff (directly reporting to DCM A and B.
Tokens prepared for LDA: ['communication', 'physical', 'electronic', 'input', 'staff', 'report', 'councillor', 'kelly', 'office', 'councillor', 'deputy', 'mayor', 'staff', 'directly', 'report']
Original Request: 1. All incident reports relating to the water pipe break on Bicknell Ave (Toronto ON) on or about March 17, 2014. 2. The age of the above mentioned water pipe on Bicknell Ave (Toronto ON).
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'break', 'bicknell', 'toronto', 'march', 'mention', 'water', 'bicknell', 'toronto']
Original Request: All building permit applications, documents, fire inspection reports for 2401 Steeles Ave. W. Benjamin's Park Memorial Chapel.
Tokens prepared for LDA: ['build', 'permit', 'application', 'document', 'inspection', 'report', 'steele', 'benjamin', 'memorial', 'chapel']
Original Request: All e-mails between Mayor Rob Ford's office and Gazzola Paving, Vern Gazzola and Mark Gazzola. All e-mails between Councillor Doug Ford's office and Gazzola Paving, Vern Gazzola and Mark Gazzola.
Tokens prepared for LDA: ['mayor', 'office', 'gazzola', 'paving', 'gazzola', 'gazzola', 'councillor', 'office', 'gazzola', 'paving', 'gazzola', 'gazzola']
Original Request: All e-mails between Mayor Rob Ford's office (including Brian Johnston, Michael Prempeh, Earl Provost and Amir Remtulla) and Sean DeSilva, including communications about meetings and/or relating to Cedar Brae Golf and Country Club.
Tokens prepared for LDA: ['mayor', 'office', 'include', 'brian', 'johnston', 'michael', 'prempeh', 'provost', 'remtulla', 'desilva', 'include', 'communication', 'meeting', 'and/or', 'relate', 'cedar', 'country']
Original Request: All e-mails between Mayor Rob Ford's office (including Earl Provost and Amir Remtulla) and Stephen Whalen, including communications about meetings and/or relating to CitiStat.
Tokens prepared for LDA: ['mayor', 'office', 'include', 'provost', 'remtulla', 'stephen', 'whalen', 'include', 'communication', 'meeting', 'and/or', 'relate', 'citistat']
Original Request: All e-mails between Mayor Rob Ford's office, in particular Earl Provost, Amir Remtulla and Brian Johnston, and Murray J. Rowe, Murray E. Rowe, Ken Porter and/or George Chuvalo, including communications about meetings and/or relating to Forrest Green Consulting Corporation; emails to/from same people with Councillor Doug Ford.
Tokens prepared for LDA: ['mayor', 'office', 'particular', 'provost', 'remtulla', 'brian', 'johnston', 'murray', 'murray', 'porter', 'and/or', 'george', 'chuvalo', 'include', 'communication', 'meeting', 'and/or', 'relate', 'forrest', 'green', 'consult', 'corporation', 'email', 'people', 'councillor']
Original Request: A complete copy of ML&S file for {} including all by-law related calls pertaining to the property from 2007 to 2014. Officer - Sheila Marshall.
Tokens prepared for LDA: ['complete', 'include', 'relate', 'pertain', 'property', 'officer', 'sheila', 'marshall']
Original Request: Copies of various parking tickets issued to vehicle with license plate {plate number} {ticket numbers removed}/
Tokens prepared for LDA: ['copy', 'various', 'ticket', 'issue', 'vehicle', 'license', 'plate', 'plate', 'ticket', 'number', 'removed}/']
Original Request: Record of City pipe/drain maintenance, repairs, work orders for {} and surrounding area for the month of April 2014.
Tokens prepared for LDA: ['record', 'drain', 'maintenance', 'repair', 'order', 'surround', 'month', 'april']
Original Request: Any and all documents related to {} and {} including photographs, videos, records, notes, e-mails correspondence, memoranda, letters, policies and practices pertaining to sewer maintenance.
Tokens prepared for LDA: ['document', 'relate', 'include', 'photograph', 'video', 'record', 'correspondence', 'memorandum', 'letter', 'policy', 'practice', 'pertain', 'sewer', 'maintenance']
Original Request: Copies of the agenda forecast for the Executive Committee Douments, outlining the items scheduled to be presented to the committee and any records related to agendas i.e. e-mails, briefing notes etc. from present to Nov. 30, 2014.
Tokens prepared for LDA: ['copy', 'agendum', 'forecast', 'executive', 'committee', 'douments', 'outline', 'schedule', 'present', 'committee', 'record', 'relate', 'agenda', 'brief', 'present', 'november']
Original Request: Any and all documents or records pertaining to {} regarding drain or plumbing issues from 1938 to present.
Tokens prepared for LDA: ['document', 'record', 'pertain', 'regard', 'drain', 'plumb', 'issue', 'present']
Original Request: Record of ML&S investigation reports and violation requests for {} from Nov. 13, 2013 to June 5, 2014. 14 166685 PRS 00 IR, 14 118106 PRS 00 IR, 14 118137 FEN 00 IV, 14 117422 PRS 00 IR, 14 117423 PRS 00 IR, 14 118134 PRS 00 IV, 13 2
Tokens prepared for LDA: ['record', 'investigation', 'report', 'violation', 'request', 'november', '166685', '118106', '118137', '117422', '117423', '118134']
Original Request: Record of all inspection notes and any other documents for {} including those for permits: {number removed} AND {number removed} from 2009 to 2011.
Tokens prepared for LDA: ['record', 'inspection', 'document', 'include', 'permit', 'remove', 'remove']
Original Request: A transcript or copy of the audio recording of the phone call made to 311 on Feb. 9, 2014 at .5.02 pm. The call was made by {individual's } and it lasted for 8 min.s 16 seconds. Also need the reference number assigned to this call.
Tokens prepared for LDA: ['transcript', 'audio', 'record', 'phone', 'february', '.5.02', 'individual', 'min.s', 'second', 'reference', 'assign']
Original Request: History of building permit for a garage at {} from 1950 to 1954.
Tokens prepared for LDA: ['history', 'build', 'permit', 'garage']
Original Request: History of building permit for a garage at {} from 1920 to 1978.
Tokens prepared for LDA: ['history', 'build', 'permit', 'garage']
Original Request: Traffic camera footage for eastbound traffic on Gardiner Expressway on Dec. 12, 2013 from 4.46 pm to 5.10 am; from the Spadina area to the Jarvis area. If not available in just the section listed, please provide the whole Expressway for the date/time.
Tokens prepared for LDA: ['traffic', 'camera', 'footage', 'eastbound', 'traffic', 'gardiner', 'expressway', 'december', 'spadina', 'jarvis', 'available', 'section', 'provide', 'expressway']
Original Request: Copies of any red light camera footage, photographs, video tapes and any other related documentation for the motor vehicle accident that occurred on Jan. 13, 2011 at 13:10 pm at Warden Ave. and Steeles Ave. East.
Tokens prepared for LDA: ['copy', 'light', 'camera', 'footage', 'photograph', 'video', 'relate', 'documentation', 'motor', 'vehicle', 'accident', 'occur', 'january', '13:10', 'warden', 'steele']
Original Request: A copy of the entire animal service file and any other documents relating to the dog that was involved and the owners of that dog that may have occurred in the past. The dog attack incident that occurred on May 1, 2014 at {}.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'document', 'relate', 'involve', 'owner', 'occur', 'attack', 'incident', 'occur']
Original Request: Drawings and all material submitted for Committee of Adjustment minor variance applications for {} from March 7, 2002 to Sept. 24, 2007. Application numbers were A064/02TEY and A0523/07TEY.
Tokens prepared for LDA: ['drawing', 'material', 'submit', 'committee', 'adjustment', 'minor', 'variance', 'application', 'march', 'september', 'application', 'number', 'a064/02tey', 'a0523/07tey']
Original Request: All materials related to March 2014 complaint from tenants living at {} to Toronto Fire Services, Station 423. All materials, notes, reports related to a follow up visit by TFD Inspector Damian Smith around March 7, 2014.
Tokens prepared for LDA: ['material', 'relate', 'march', 'complaint', 'tenant', 'toronto', 'services', 'station', 'material', 'report', 'relate', 'follow', 'visit', 'inspector', 'damian', 'smith', 'march']
Original Request: All records, including but not limited to e-mails, memorandum, meeting minutes, handwritten notes related to a 2011 (or possibly 2012) on-site meeting held at 1 Apollo Place or 555 Petrolia Road - old address concerning a new manufacturing facility under construction and its adherence to its site plan.
Tokens prepared for LDA: ['record', 'include', 'limit', 'memorandum', 'minute', 'handwritten', 'relate', 'possibly', 'apollo', 'place', 'petrolia', 'address', 'concern', 'manufacture', 'facility', 'construction', 'adherence']
Original Request: All records, including but not limited to e-mails, memorandum, meeting minutes, handwritten notes related to investigations by ML&S into oil tankers located in and around {} in 2011.
Tokens prepared for LDA: ['record', 'include', 'limit', 'memorandum', 'minute', 'handwritten', 'relate', 'investigation', 'tanker', 'locate']
Original Request: All records, including but not limited to e-mails, memorandum, meeting minutes, handwritten notes related to investigations by ML&S into oil tankers located in and around {} in 2011.
Tokens prepared for LDA: ['record', 'include', 'limit', 'memorandum', 'minute', 'handwritten', 'relate', 'investigation', 'tanker', 'locate']
Original Request: From Committee of Adjustment file, detailed plan, included but not restricted to elevation, floor plans, map etc for {}, file no. A0201/11TEY.
Tokens prepared for LDA: ['committee', 'adjustment', 'include', 'restrict', 'elevation', 'floor', 'a0201/11tey']
Original Request: Audited financial statements for the Swansea Town Hall at 95 Lavinia Ave. from Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['audit', 'financial', 'statement', 'swansea', 'lavinia', 'january', 'december']
Original Request: Audited financial statements for the Swansea Town Hall at 95 Lavinia Ave. from Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['audit', 'financial', 'statement', 'swansea', 'lavinia', 'january', 'december']
Original Request: Detailed information about the consultation process that Councillor Minnan-Wong undertook with the Vietnamese Canadian community in Toronto and to know exactly who he met and who these individuals represented with respect to recognizing Ho Chi Minh City.
Tokens prepared for LDA: ['detail', 'information', 'consultation', 'process', 'councillor', 'minnan', 'undertake', 'vietnamese', 'canadian', 'community', 'toronto', 'exactly', 'individual', 'represent', 'respect', 'recognize']
Original Request: All information regarding requests, findings, reports, inspections and all details for {} from Jan. 1, 2012 to Aug, 1, 2012. Records to include fire inspection, Public Health.
Tokens prepared for LDA: ['information', 'regard', 'request', 'finding', 'report', 'inspection', 'january', 'record', 'include', 'inspection', 'public', 'health']
Original Request: Information on when the nursing home at {} was legalized and licensed. Permit # 82-022124BLD, 02 184 926 PRZ, 12-281334 BLD, 02-035360 SHP. The records search should be from 2012 to 2014.
Tokens prepared for LDA: ['information', 'nurse', 'legalize', 'license', 'permit', '022124bld', '281334', '035360', 'record', 'search']
Original Request: All notes related to water drain issue at {} from May 20, 2014 to May 30, 2014. Service request numbers are # 2709972, 2728702, 2731151 and 2731920.
Tokens prepared for LDA: ['relate', 'water', 'drain', 'issue', 'service', 'request', 'number', '2709972', '2728702', '2731151', '2731920']
Original Request: All records concerning Deco Labels and Tags' business relationship with the City. This includes contracts, invoices, bid information, quotes and all correspondence between Deco representatives, including Rob Ford and Doug Ford, acting as capacity as Deco
Tokens prepared for LDA: ['record', 'concern', 'label', 'business', 'relationship', 'include', 'contract', 'invoice', 'information', 'quote', 'correspondence', 'representative', 'include', 'capacity']
Original Request: Copies of all voice mails left on the City cell phone and City landline of former mayoral staffer Earl Provost left by Mayor Rob Ford between Aug. 1, 2011 and Aug. 31, 2011; Feb. 1, 2012 and March 31, 2012; Feb. 1, 2013 and March 31, 2013.
Tokens prepared for LDA: ['copy', 'voice', 'leave', 'phone', 'landline', 'mayoral', 'staffer', 'provost', 'leave', 'mayor', 'august', 'august', 'february', 'march', 'february', 'march']
Original Request: All communications received and sent by John Livey's office, in which the deputy city manager or a member of his staff has been asked, directly or indirectly, by the Mayor or the Mayor's office, to meet with any individual who is not a City employee.
Tokens prepared for LDA: ['communication', 'receive', 'livey', 'office', 'deputy', 'manager', 'member', 'staff', 'directly', 'indirectly', 'mayor', 'mayor', 'office', 'individual', 'employee']
Original Request: All available documentation relating to construction of a new house at {} under permit # 11177340, including building permit, inspection reports and any arborist reports from the City and also those submitted by the owners.
Tokens prepared for LDA: ['available', 'documentation', 'relate', 'construction', 'house', 'permit', '11177340', 'include', 'build', 'permit', 'inspection', 'report', 'arborist', 'report', 'submit', 'owner']
Original Request: All e-mails between Amin Massoudi and City Manager Joe Pennachetti from Jan. 1, 2011 to May 31, 2013.
Tokens prepared for LDA: ['massoudi', 'manager', 'pennachetti', 'january']
Original Request: Full disclosure of communications, including e-mails amongst the City staffer that relate to {individual's }, in particular from June 9, 2014 onward: Chief Financial Officer and/or his assisant and co-ordinator; City Solicitor and/or assistant; CMO.
Tokens prepared for LDA: ['disclosure', 'communication', 'include', 'staffer', 'relate', 'individual', 'particular', 'onward', 'chief', 'financial', 'officer', 'and/or', 'assisant', 'ordinator', 'solicitor', 'and/or', 'assistant']
Original Request: Any and all permits, inspections, approvals for {} from 1923 through to present.
Tokens prepared for LDA: ['permit', 'inspection', 'approval', 'present']
Original Request: Vacancy Rebate Application and information for {} from 2009 to 2011 including application forms. The Roll number is {number removed}.
Tokens prepared for LDA: ['vacancy', 'rebate', 'application', 'information', 'include', 'application', 'removed}.']
Original Request: A list of all taxicab owners including license number, plate number, owner's name, address, home and business phone numbers, date plate purchased and issued, owner's e-mail address, brokerage, agent's name and address, phone number as of June 1, 2014.
Tokens prepared for LDA: ['taxicab', 'owner', 'include', 'license', 'plate', 'owner', 'address', 'business', 'phone', 'number', 'plate', 'purchase', 'issue', 'owner', 'address', 'brokerage', 'agent', 'address', 'phone']
Original Request: A list of all taxicab owners including license number, plate number, owner's name, address, home and business phone numbers, date plate purchased and issued, owner's e-mail address, brokerage, agent's name and address, phone number as of June 1, 2014.
Tokens prepared for LDA: ['taxicab', 'owner', 'include', 'license', 'plate', 'owner', 'address', 'business', 'phone', 'number', 'plate', 'purchase', 'issue', 'owner', 'address', 'brokerage', 'agent', 'address', 'phone']
Original Request: Information on whether a permit was requested and approved for a private storm drain water easement for {}. A copy of any inspection report for this issue.
Tokens prepared for LDA: ['information', 'permit', 'request', 'approve', 'private', 'storm', 'drain', 'water', 'easement', 'inspection', 'report', 'issue']
Original Request: Mayor Rob Ford's calendar from Dec. 1, 2010 to Dec. 1, 2014; Earl Provost's calendar from Dec. 1, 2010 to Dec. 1, 2014.
Tokens prepared for LDA: ['mayor', 'calendar', 'december', 'december', 'provost', 'calendar', 'december', 'december']
Original Request: Public Health, ML&S reports for {}. There were three different reports from 2012; one from 2013 and one from ML&S 2014.
Tokens prepared for LDA: ['public', 'health', 'report', 'different', 'report']
Original Request: Details of permits for building or construction projects applied for by {company's removed} or {individual's } or {individual's } or {individual's } or {company's removed} from Jan. 1, 2011 to Dec. 31, 2013.
Tokens prepared for LDA: ['details', 'permit', 'build', 'construction', 'project', 'apply', 'company', 'remove', 'individual', 'individual', 'individual', 'company', 'remove', 'january', 'december']
Original Request: A copy of a letter or notice sent to {individual's } of {} pertaining to asphalt driveway raised by 6", eavestrough dumping on property line and tarp hanging off side of building.
Tokens prepared for LDA: ['letter', 'notice', 'individual', 'pertain', 'asphalt', 'driveway', 'raise', 'eavestrough', 'property', 'build']
Original Request: Documents, copy of permit and anything related to {} from Jan. 2012 to Dec. 2012. The permit number is 12-165980.
Tokens prepared for LDA: ['document', 'permit', 'relate', 'january', 'december', 'permit', '165980']
Original Request: Information on the fire code compliance of the property located at {}, Scarborough.
Tokens prepared for LDA: ['information', 'compliance', 'property', 'locate', 'scarborough']
Original Request: A copy of fire prevention report for {} from May 1, 2013 to May 1, 2014, including notice of violation from Fire Dept.
Tokens prepared for LDA: ['prevention', 'report', 'include', 'notice', 'violation']
Original Request: Any history of payments regarding "removal of oil tank" and "survey and architecture" relating to {} from June 2011 to April 2012.
Tokens prepared for LDA: ['history', 'payment', 'regard', 'removal', 'survey', 'architecture', 'relate', 'april']
Original Request: Any information related to inspections of fire exits or fire safety for the 4th floor of {} from June 1, 2013 to present. Fire Services attended in 2013 to inspect an exit and again in June 2014 to investigate overcrowding.
Tokens prepared for LDA: ['information', 'relate', 'inspection', 'safety', 'floor', 'present', 'services', 'attend', 'inspect', 'investigate', 'overcrowd']
Original Request: A copy of plumbing inspection reports for {}. The permit number is 12-198543.
Tokens prepared for LDA: ['plumb', 'inspection', 'report', 'permit', '198543']
Original Request: Information on the sewer repair done on {}. The pump had broken.
Tokens prepared for LDA: ['information', 'sewer', 'repair', 'break']
Original Request: Information submitted by Public Health officers relating to the dogs at {} from May 19, 2014 to present.
Tokens prepared for LDA: ['information', 'submit', 'public', 'health', 'officer', 'relate', 'present']
Original Request: Any documents on file, history report, past and present building permits for {} The permits are #12-203053 OEM, 12-190244 BLD and #13-195059 BLD.
Tokens prepared for LDA: ['document', 'history', 'report', 'present', 'build', 'permit', 'permit', '203053', '190244', '195059']
Original Request: Any records, notes and/or copies of communications by phone, in person, by e-mail or letter, to Anita MacLeod, Manager of Committee of Adjustment, relating to the scheduling of applications for B0028/14TEY / 14TEY / and/or A0449/14TEY from April 1 to June
Tokens prepared for LDA: ['record', 'and/or', 'communication', 'phone', 'person', 'letter', 'anita', 'macleod', 'manager', 'committee', 'adjustment', 'relate', 'schedule', 'application', 'b0028/14tey', '14tey', 'and/or', 'a0449/14tey', 'april']
Original Request: All communications and records of communications between Sherry Pedersen (Preservation Co-ordinator), Kristyn Wong-Tam (City Councillor) and Melissa Wong, Executive Assistant to Wong-Tam from Jan. 1, 2012 to June 11, 2014.
Tokens prepared for LDA: ['communication', 'record', 'communication', 'sherry', 'pedersen', 'preservation', 'ordinator', 'kristyn', 'councillor', 'melissa', 'executive', 'assistant', 'january']
Original Request: All communications and records of communications between Sherry Pedersen (Preservation Co-ordinator) and {} from April 1, 2014 to June11, 2014.
Tokens prepared for LDA: ['communication', 'record', 'communication', 'sherry', 'pedersen', 'preservation', 'ordinator', 'april', 'june11']
Original Request: All records pertaining to: 1. Report of damages to retaining wall at {} by {individual's } on Mar. 24, 2014 following the unblocking of sewers by City staff. 2. Complaints from {} by {individual's } on Mar. 30, 2014.
Tokens prepared for LDA: ['record', 'pertain', 'report', 'damage', 'retain', 'individual', 'march', 'follow', 'unblock', 'sewer', 'staff', 'complaint', 'individual', 'march']
Original Request: Record of all past and present permits issued to {} and any other record specifically showing the classification of building as a 3 storey dwelling. Record search from 2007 to 2014.
Tokens prepared for LDA: ['record', 'present', 'permit', 'issue', 'record', 'specifically', 'classification', 'build', 'storey', 'dwell', 'record', 'search']
Original Request: Any and all complete water and garbage utility bills (complete bills) for {}, the dates of and actual water meter readings including the identity (badge # and or name) of City staff performing readings.
Tokens prepared for LDA: ['complete', 'water', 'garbage', 'utility', 'complete', 'actual', 'water', 'meter', 'reading', 'include', 'identity', 'badge', 'staff', 'perform', 'reading']
Original Request: Any and all information regarding {} included field notes, telephone conversations, photos, inspection notes, reports along with the dates of each and staff involved.
Tokens prepared for LDA: ['information', 'regard', 'include', 'field', 'telephone', 'conversation', 'photo', 'inspection', 'report', 'staff', 'involve']
Original Request: Any and all information regarding {} included field notes, telephone conversations, photos, inspection notes, reports along with the dates of each and staff involved.
Tokens prepared for LDA: ['information', 'regard', 'include', 'field', 'telephone', 'conversation', 'photo', 'inspection', 'report', 'staff', 'involve']
Original Request: Any and all information for {} regarding report of activated smoke detector in vacant building at {} and fire prevention inspection reports detailing dates, times and staff conduction inspections at {}.
Tokens prepared for LDA: ['information', 'regard', 'report', 'activate', 'smoke', 'detector', 'vacant', 'build', 'prevention', 'inspection', 'report', 'staff', 'conduction', 'inspection']
Original Request: All work orders, inspection reports and notes pertaining to the replacement of sod and fill in culvert at {} on June 2, 2014 by City staff and any complaints pertaining to the quality of sod and fill.
Tokens prepared for LDA: ['order', 'inspection', 'report', 'pertain', 'replacement', 'culvert', 'staff', 'complaint', 'pertain', 'quality']
Original Request: Any and all records and documents in the possession of the Building and Planning department relating to properties previously or presently identified with addresses from {}, inclusive, west of {}
Tokens prepared for LDA: ['record', 'document', 'possession', 'building', 'planning', 'department', 'relate', 'property', 'previously', 'presently', 'identify', 'address', 'inclusive']
Original Request: Copy of inspection notes for {} regarding interior and insulation inspection, indicating; what work/repairs are required to close permit {permit number removed}. Inspector, Imre Gergely. Record search May 6, 2014 to May 8, 2014.
Tokens prepared for LDA: ['inspection', 'regard', 'interior', 'insulation', 'inspection', 'indicate', 'repair', 'require', 'close', 'permit', 'permit', 'removed}.', 'inspector', 'gergely', 'record', 'search']
Original Request: All incident reports relating to the water pipe break on Silverstone Dr., Etobicoke on or about March 13, 2014. The age of the above mentioned water pipe on Silverstone Dr.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'break', 'silverstone', 'etobicoke', 'march', 'mention', 'water', 'silverstone']
Original Request: Any documentation relating to building code violations issue to {} i.e. deficiency notices, stop work notices, orders to comply, inspection documents etc., with respect to the former garage and retaining wall.
Tokens prepared for LDA: ['documentation', 'relate', 'build', 'violation', 'issue', 'deficiency', 'notice', 'notice', 'order', 'comply', 'inspection', 'document', 'respect', 'garage', 'retain']
Original Request: Transcript of telephone call made to 311 between {individual's }and Collette, 311 Operator on May 15, 2014 at 12:20 PM regarding the responsibility of and pruning of privately owned trees growing sideways potentially posing danger.
Tokens prepared for LDA: ['transcript', 'telephone', 'individual', 'collette', 'operator', '12:20', 'regard', 'responsibility', 'prune', 'privately', 'sideways', 'potentially', 'danger']
Original Request: Record of complaint made by the {individual's } family regarding dangerous trees at {}.
Tokens prepared for LDA: ['record', 'complaint', 'individual', 'family', 'regard', 'dangerous']
Original Request: A copy of red light camera footage for 2 vehicles involved in an accident license plates # {license plate # removed} and {license plate # removed} at the intersection of Islington Ave. and The Westway; for proof of possible red light infractions on May 7, 2014 between 8:45 and9:45 PM.
Tokens prepared for LDA: ['light', 'camera', 'footage', 'vehicle', 'involve', 'accident', 'license', 'plate', 'license', 'plate', 'remove', 'license', 'plate', 'remove', 'intersection', 'islington', 'westway', 'proof', 'possible', 'light', 'infraction', 'and9:45']
Original Request: A copy of order issued to {individual's } of {} for the pruning of a tree following complaint made by {individual's } of {} through 311 regarding impending damage due to dangling limbs etc.
Tokens prepared for LDA: ['order', 'issue', 'individual', 'prune', 'follow', 'complaint', 'individual', 'regard', 'impend', 'damage', 'dangle']
Original Request: Records pertaining to water main replacement at Bathurst Street between London Street and Queen Street West in Toronto Ward 20 as well as drawings of street sections.
Tokens prepared for LDA: ['record', 'pertain', 'water', 'replacement', 'bathurst', 'street', 'london', 'street', 'queen', 'street', 'toronto', 'drawing', 'street', 'section']
Original Request: All environmental monitoring records showing all water reading and testing results for the Mayfair Tennis Courts from as far back as possible to present. Current assigned inspector is J. Hylton.
Tokens prepared for LDA: ['environmental', 'monitor', 'record', 'water', 'result', 'mayfair', 'tennis', 'court', 'possible', 'present', 'current', 'assign', 'inspector', 'hylton']
Original Request: Any and all records for {} including permits issued, permit applications, work orders, committee of adjustments proceedings and any form of complaints made to ML&S. Record search from Jan. 1, 1970 present.
Tokens prepared for LDA: ['record', 'include', 'permit', 'issue', 'permit', 'application', 'order', 'committee', 'adjustment', 'proceeding', 'complaint', 'ml&s.', 'record', 'search', 'january', 'present']
Original Request: Record showing classification type (2 or 3 storey) and number of dwelling units for building located at {}.
Tokens prepared for LDA: ['record', 'classification', 'storey', 'dwell', 'build', 'locate']
Original Request: Record of all complaints from Building and ML&S filed against property at {} from 2008 to present.
Tokens prepared for LDA: ['record', 'complaint', 'building', 'property', 'present']
Original Request: Record of all complaints from Building and ML&S filed against property at {} from 2008 to present.
Tokens prepared for LDA: ['record', 'complaint', 'building', 'property', 'present']
Original Request: All building permit applications and engineer review letters and applications, building and fire inspection notes and records, including committee of adjustments documentation for {}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'engineer', 'review', 'letter', 'application', 'build', 'inspection', 'record', 'include', 'committee', 'adjustment', 'documentation']
Original Request: All documents on file pertaining to {} and {} including zoning classification permitting the use of that building as a six-plex residential building (legal non-conforming use). Record search from Jan. 1, 1950 to Jun. 18, 2014
Tokens prepared for LDA: ['document', 'pertain', 'include', 'classification', 'permit', 'build', 'residential', 'build', 'legal', 'conform', 'record', 'search', 'january']
Original Request: All written correspondence, e-mails, telephone conversations and facsimiles pertaining to or mentioning 50 Ingram Dr. from the following departments and contact persons from Jan 2010 to Jun. 23, 2014. See full TXT.
Tokens prepared for LDA: ['write', 'correspondence', 'telephone', 'conversation', 'facsimile', 'pertain', 'mention', 'ingram', 'follow', 'department', 'contact', 'person']
Original Request: A complete copy of MLS file # {file number} pertaining to {} from Feb. 21, 2014 to present.
Tokens prepared for LDA: ['complete', 'pertain', 'february', 'present']
Original Request: All correspondence and documents related to {} from: Toronto Water, ML&S, Toronto Building and Councillor McMahon's Office from May 4, 2014 to present.
Tokens prepared for LDA: ['correspondence', 'document', 'relate', 'toronto', 'water', 'toronto', 'building', 'councillor', 'mcmahon', 'office', 'present']
Original Request: Copy of records for {} including building permits and permit applications, inspectors' notes and reports pertaining to the original building, balcony and wall repairs within the last 10 years.
Tokens prepared for LDA: ['record', 'include', 'build', 'permit', 'permit', 'application', 'inspector', 'report', 'pertain', 'original', 'build', 'balcony', 'repair']
Original Request: All correspondence, regarding the development of the lands previously known as the McGuinness Distillery industrial lands, aka Mystic Pointe Community, also referred to in the Etobicoke Official Plan and Site Plans as Phasel (Parcels A, B, C, and D).
Tokens prepared for LDA: ['correspondence', 'regard', 'development', 'previously', 'mcguinness', 'distillery', 'industrial', 'mystic', 'pointe', 'community', 'refer', 'etobicoke', 'official', 'plan', 'phasel', 'parcel']
Original Request: An electronic copy of all records held by the Toronto Preservation Board with respect to {} and {} from Jan. 1, 2012 to June 11, 2014.
Tokens prepared for LDA: ['electronic', 'record', 'toronto', 'preservation', 'board', 'respect', 'january']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A copy of building permit or other documentation confirming that the City of Toronto built the bridge along Renforth Dr., which is located above Highway 401, south of Convair Dr. and north of Matheson Blvd. E.
Tokens prepared for LDA: ['build', 'permit', 'documentation', 'confirm', 'toronto', 'build', 'bridge', 'renforth', 'locate', 'highway', 'south', 'convair', 'north', 'matheson']
Original Request: Any and all calls, correspondence, complaints, resolution and or investigation reports pertaining to reports made to TAS, COT By-Law Enforcement Officers and 311 from {} or {} from Oct 1, 2013 to Jun. 20, 2014.
Tokens prepared for LDA: ['correspondence', 'complaint', 'resolution', 'investigation', 'report', 'pertain', 'report', 'enforcement', 'officer']
Original Request: Record of Toronto Water service card showing the upgrade of water service from lead to copper at {}.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'service', 'upgrade', 'water', 'service', 'copper']
Original Request: A complete copy of incident and investigation reports regarding the death of {individual's } who died while participating in an aerobic class at the East York Community Center on May 6, 2014.
Tokens prepared for LDA: ['complete', 'incident', 'investigation', 'report', 'regard', 'death', 'individual', 'participate', 'aerobic', 'class', 'community', 'center']
Original Request: A copy of service records for {} including but not limited to reports, photographs, documents and video tapes from 2004 to Feb. 6, 2014. Subsequent to property damage resulting from sewer back up at {}.
Tokens prepared for LDA: ['service', 'record', 'include', 'limit', 'report', 'photograph', 'document', 'video', 'february', 'subsequent', 'property', 'damage', 'result', 'sewer']
Original Request: A copy of building permit application for {} filed sometime in early January 2014.
Tokens prepared for LDA: ['build', 'permit', 'application', 'early', 'january']
Original Request: A copy of all inspectors notes on file for open building permit regarding {} from Jan. 1, 1994 to Jun. 26, 2014. Inspector, Aheleas Mitoulas.
Tokens prepared for LDA: ['inspector', 'build', 'permit', 'regard', 'january', 'inspector', 'aheleas', 'mitoulas']
Original Request: Record showing the names of persons (i.e. owners board members etc.) associated with {Organization's } located at {}. Record search from Jan. 1, 2011 to present.
Tokens prepared for LDA: ['record', 'person', 'owner', 'board', 'member', 'associate', 'organization', 'locate', 'record', 'search', 'january', 'present']
Original Request: Any and all inspector's notes, work orders, builders permits, correspondence, memorandums and other documents with respect to {} from Jan. 1, 2012 to Jun. 12, 2014.
Tokens prepared for LDA: ['inspector', 'order', 'builder', 'permit', 'correspondence', 'memorandum', 'document', 'respect', 'january']
Original Request: A copy of written documentation to support change of use application (1999) for 1 Centre Island Park. Ref.# 429825.
Tokens prepared for LDA: ['write', 'documentation', 'support', 'change', 'application', 'centre', 'island', '429825']
Original Request: A copy of all documents related to permits {Permit number removed} and {Permit number removed} regarding {}.
Tokens prepared for LDA: ['document', 'relate', 'permit', 'permit', 'remove', 'permit', 'remove', 'regard']
Original Request: All documents related to third party signage at {}.
Tokens prepared for LDA: ['document', 'relate', 'party', 'signage']
Original Request: A copy of the winning proposal for RFP "Mobile Payments Program" for the Toronto Parking Authority made by {Passport Parking LLC} as awarded in Feb. 2014.
Tokens prepared for LDA: ['proposal', 'mobile', 'payment', 'program', 'toronto', 'parking', 'authority', 'passport', 'parking', 'award', 'february']
Original Request: A copy of building permit {Permit number removed} and record confirming the conversion of house into a two unit dwelling.
Tokens prepared for LDA: ['build', 'permit', 'permit', 'remove', 'record', 'confirm', 'conversion', 'house', 'dwell']
Original Request: The complete names of officers who issued tickets to vehicle license plate # {license plate # removed} under the following page numbers from 2003 through to 2005: {ticket numbers removed} etc.
Tokens prepared for LDA: ['complete', 'officer', 'issue', 'ticket', 'vehicle', 'license', 'plate', 'license', 'plate', 'remove', 'follow', 'number', 'ticket', 'number', 'remove']
Original Request: All communications, including e-mails and phone notes, draft reports and meeting minutes (other than publicly available minutes) related to the renovations and rebuilding of the Douglas B. Ford Park, received or sent by Amin Massoudi, Dan Jacobs etc.
Tokens prepared for LDA: ['communication', 'include', 'phone', 'draft', 'report', 'minute', 'publicly', 'available', 'minute', 'relate', 'renovation', 'rebuild', 'douglas', 'receive', 'massoudi', 'jacobs']
Original Request: In relation to a car accident which occurred on Jan. 17, 2012 at the intersection of Eglinton Ave. W. and Scarlett Rd due to a malfunctioning traffic light at the time of the accident.
Tokens prepared for LDA: ['relation', 'accident', 'occur', 'january', 'intersection', 'eglinton', 'scarlett', 'malfunction', 'traffic', 'light', 'accident']
Original Request: All building permit applications, permits issued, inspector notes and approvals for {}, including but not limited to those pertaining to the building permits issued in 1971 and 1977.
Tokens prepared for LDA: ['build', 'permit', 'application', 'permit', 'issue', 'inspector', 'approval', 'include', 'limit', 'pertain', 'build', 'permit', 'issue']
Original Request: A copy of the building inspection file for {} from Jan. 1, 2003 to present.
Tokens prepared for LDA: ['build', 'inspection', 'january', 'present']
Original Request: A copy of the building inspection file for {} from Jan. 1, 2003 to present.
Tokens prepared for LDA: ['build', 'inspection', 'january', 'present']
Original Request: A complete copy of Toronto Animal Services file and notice {Notice number removed} sent to {individual's } from May 2014 to June 20, 2014.
Tokens prepared for LDA: ['complete', 'toronto', 'animal', 'services', 'notice', 'notice', 'remove', 'individual']
Original Request: Any letters, applications and staff noted related to the application to remove a tree from {} including, letter instructing that the application be cancelled and any staff notes related to this.
Tokens prepared for LDA: ['letter', 'application', 'staff', 'relate', 'application', 'remove', 'include', 'letter', 'instruct', 'application', 'cancel', 'staff', 'relate']
Original Request: Record of the most recent 30 applications "to injure" a private tree received by COT. Detailing the grounds of application and the resulting decision.
Tokens prepared for LDA: ['record', 'recent', 'application', 'injure', 'private', 'receive', 'detailing', 'ground', 'application', 'result', 'decision']
Original Request: A copy of inspection records from March 19, 2014 to June 24, 2014 in relation to any fire code violations for {}.
Tokens prepared for LDA: ['inspection', 'record', 'march', 'relation', 'violation']
Original Request: All documents pertaining to {} building permits showing conversion from 4 units to 6 units and documents showing severance from one unit building to 3 unit buildings. Record search from May 1991 to present.
Tokens prepared for LDA: ['document', 'pertain', 'build', 'permit', 'conversion', 'document', 'severance', 'build', 'building', 'record', 'search', 'present']
Original Request: All documents pertaining to {} building permits showing conversion from existing use to 6 units Record search from Dec. 16, 1997 to present.
Tokens prepared for LDA: ['document', 'pertain', 'build', 'permit', 'conversion', 'exist', 'record', 'search', 'december', 'present']
Original Request: The name of the party who complained to ML&S between April 4-6, 2014 that the retaining wall at the south side of property at {} is not being maintained; folder # {Folder number removed}.
Tokens prepared for LDA: ['party', 'complain', 'april', 'retain', 'south', 'property', 'maintain', 'folder', 'folder', 'removed}.']
Original Request: A complete copy of by-law information and enforcer report regarding {} issued on or about 2013.
Tokens prepared for LDA: ['complete', 'information', 'enforcer', 'report', 'regard', 'issue']
Original Request: A copy of records held within file # FONDS 200 Series 1512, File 1382 Mayor's Office Permanent Subject Correspondence Homes for the Aged. General, 1979-1980, Box P04 0400, Folio 14.
Tokens prepared for LDA: ['record', 'fonds', 'series', 'mayor', 'office', 'permanent', 'subject', 'correspondence', 'home', 'general', 'folio']
Original Request: A complete copy of ML&S file and inspection notes pertaining to heat complaint at {}, file # {File number removed}. Record search from Jan. 2014 to Jul. 2014.
Tokens prepared for LDA: ['complete', 'inspection', 'pertain', 'complaint', 'removed}.', 'record', 'search', 'january']
Original Request: Any and all building permits issued to {} from the time it was built to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'build', 'present']
Original Request: Record of complaints made to Toronto Fire and Toronto Public Health (Dine Safe Program) regarding {company's removed} {company's removed} located at {} including the identity of the complainant (s).
Tokens prepared for LDA: ['record', 'complaint', 'toronto', 'toronto', 'public', 'health', 'program', 'regard', 'company', 'remove', 'company', 'remove', 'locate', 'include', 'identity', 'complainant']
Original Request: Any and all correspondence, e-mails, reports and complaints etc., regarding {} detailing the nature of the complaints and the resulting resolution, as far back as possible to present.
Tokens prepared for LDA: ['correspondence', 'report', 'complaint', 'regard', 'nature', 'complaint', 'result', 'resolution', 'possible', 'present']
Original Request: A copy of Affidavit to act as Authorized Agent along with a copy of Administrative Permit Application for building permit # 14167843 for {} from May 8, 2014.
Tokens prepared for LDA: ['affidavit', 'authorize', 'agent', 'administrative', 'permit', 'application', 'build', 'permit', '14167843']
Original Request: Name of complainant for a complaint received by {company's removed} on June 23, 2014 from ML&S. The issue was on the graffiti on the retaining wall located between {} and the CN Railway. Records search should be for June 2014.
Tokens prepared for LDA: ['complainant', 'complaint', 'receive', 'company', 'remove', 'ml&s.', 'issue', 'graffito', 'retain', 'locate', 'railway', 'record', 'search']
Original Request: A copy of fire inspection report for {}, from June 9, 2014 to present. Robert Bowerman was the inspector.
Tokens prepared for LDA: ['inspection', 'report', 'present', 'robert', 'bowerman', 'inspector']
Original Request: All property information related to {}, including building permits, surveys, zoning information, permit applications, building records, site plans, variance applications or permits, from July 1, 1930 to July 1, 2014.
Tokens prepared for LDA: ['property', 'information', 'relate', 'include', 'build', 'permit', 'survey', 'information', 'permit', 'application', 'build', 'record', 'variance', 'application', 'permit']
Original Request: Record of animal services complaint from June 1, 2013 to July 31, 2013 relating to activity # 13-014866. The address was {}.
Tokens prepared for LDA: ['record', 'animal', 'service', 'complaint', 'relate', 'activity', '014866', 'address']
Original Request: Any records pertaining to {company's removed} including inspection reports from Building, Fire Services, occupany certificates, final inspections, consultant schedules and final sign offs from Jan. 1, 1998 to April 1,, 1999.
Tokens prepared for LDA: ['record', 'pertain', 'company', 'remove', 'include', 'inspection', 'report', 'building', 'services', 'occupany', 'certificate', 'final', 'inspection', 'consultant', 'schedule', 'final', 'january', 'april']
Original Request: Letter and phone call made to Anita MacLeod, Manager of Committee of Adjustments; archive material including plans, prints, written decisions on property at {} from March 14, 1990 to April 15, 1990.
Tokens prepared for LDA: ['letter', 'phone', 'anita', 'macleod', 'manager', 'committee', 'adjustment', 'archive', 'material', 'include', 'print', 'write', 'decision', 'property', 'march', 'april']
Original Request: All records about {} from Jan. 2011 to present, including, but are not limited to, e-mails or other correspondence with the Mayor's Office; records showing whether or not the Mayor was paying any of the bills at {}; and notes.
Tokens prepared for LDA: ['record', 'january', 'present', 'include', 'limit', 'correspondence', 'mayor', 'office', 'record', 'mayor']
Original Request: All expenses related to the investigations and raids, warrants, surveillance, walk throughs, request from {organization's }. Litigation between Adam Vaughan, City of Toronto versus {organization's } (2008 to present)
Tokens prepared for LDA: ['expense', 'relate', 'investigation', 'warrant', 'surveillance', 'throughs', 'request', 'organization', 'litigation', 'vaughan', 'toronto', 'versus', 'organization', 'present']
Original Request: A copy of all documents and records related to attendance at {} on May 11, 2014 by Toronto Fire Services.
Tokens prepared for LDA: ['document', 'record', 'relate', 'attendance', 'toronto', 'services']
Original Request: Copies of any and all documents, photographs, videos, records, notes, e-mails, correspondence, memoranda, letters, policies, and practices pertaining to the {company's removed} at {} premises for the last five years (2009-2014).
Tokens prepared for LDA: ['copy', 'document', 'photograph', 'video', 'record', 'correspondence', 'memorandum', 'letter', 'policy', 'practice', 'pertain', 'company', 'remove', 'premise']
Original Request: All permits issued for {} including but not limited to permits and application/document of existing easement and addition if applicable. Record search from 1980 to present.
Tokens prepared for LDA: ['permit', 'issue', 'include', 'limit', 'permit', 'application', 'document', 'exist', 'easement', 'addition', 'applicable', 'record', 'search', 'present']
Original Request: Record of all building inspections notes with dates, pertaining to {} from September 2013 to present.
Tokens prepared for LDA: ['record', 'build', 'inspection', 'pertain', 'september', 'present']
Original Request: Any and all records/reports and notes concerning complaints from {individual's } and {individual's } at {} against {individual's } and {individual's } of {}.
Tokens prepared for LDA: ['record', 'report', 'concern', 'complaint', 'individual', 'individual', 'individual', 'individual']
Original Request: Planning/development approvals and decisions for {}, for the period of 1950 to the present, with particular focus upon the1990s, (including any correspondence, staff reports, development agreements, etc.).
Tokens prepared for LDA: ['planning', 'development', 'approval', 'decision', 'period', 'present', 'particular', 'focus', 'the1990s', 'include', 'correspondence', 'staff', 'report', 'development', 'agreement']
Original Request: Any and all letters and or documents purporting to be from residents/occupants of {} and members of the board of directors for {company's removed} that prompted the City's building inspection at said property.
Tokens prepared for LDA: ['letter', 'document', 'purport', 'resident', 'occupant', 'member', 'board', 'director', 'company', 'remove', 'prompt', 'build', 'inspection', 'property']
Original Request: All inspection records related to underground hydro transformers at {} that exploded on December 9, 2013 injuring {individual's }. Record search from Jan. 2012 to present.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'underground', 'hydro', 'transformer', 'explode', 'december', 'injure', 'individual', 'record', 'search', 'january', 'present']
Original Request: Record of document showing who is responsible for the maintenance of tree in front of home located at {}.
Tokens prepared for LDA: ['record', 'document', 'responsible', 'maintenance', 'locate']
Original Request: Any and all information on the water main near {} which caused extensive flooding and thick ice, trapping car belonging to {individual's } for more than a week. Including records of all complaints made to the City about this.
Tokens prepared for LDA: ['information', 'water', 'cause', 'extensive', 'flood', 'belong', 'individual', 'include', 'record', 'complaint']
Original Request: All documents pertaining to {} from Jan. 1, 2012 to present.
Tokens prepared for LDA: ['document', 'pertain', 'january', 'present']
Original Request: Any and all building records and permits pertaining to {} from 1950 to present.
Tokens prepared for LDA: ['build', 'record', 'permit', 'pertain', 'present']
Original Request: All e-mails, phone notes and memos to and from Amin Massoudi, Dan Jacobs, Victoria Colussi, Christine Maydossian, Jerry Agyemang, Maya Bilbao, David DiPaul, Xhejsi Hasko, Jonathan Kent, Graeme McEachern, Judith Williams, Councillor Doug Ford.
Tokens prepared for LDA: ['phone', 'massoudi', 'jacobs', 'victoria', 'colussi', 'christine', 'maydossian', 'jerry', 'agyemang', 'bilbao', 'david', 'dipaul', 'xhejsi', 'hasko', 'jonathan', 'graeme', 'mceachern', 'judith', 'williams', 'councillor']
Original Request: All e-mails, phone notes and memos to and from Amin Massoudi, Dan Jacobs, Victoria Colussi, Christine Maydossian, Jerry Agyemang, Maya Bilbao, David DiPaul, Xhejsi Hasko, Jonathan Kent, Graeme McEachern, Judith Williams, Councillor Doug Ford.
Tokens prepared for LDA: ['phone', 'massoudi', 'jacobs', 'victoria', 'colussi', 'christine', 'maydossian', 'jerry', 'agyemang', 'bilbao', 'david', 'dipaul', 'xhejsi', 'hasko', 'jonathan', 'graeme', 'mceachern', 'judith', 'williams', 'councillor']
Original Request: All documents including e-mails, briefing notes, memos and invoices regarding work done at Douglas Ford Park and the park opening in June 2014.
Tokens prepared for LDA: ['document', 'include', 'brief', 'invoice', 'regard', 'douglas']
Original Request: A complete copy of road maintenance records, any contractor's names etc. with respect to trip and fall incident on a bike on a broken road involving {individual's } at the intersections of Symington Ave. and Dupont St., southbound on Symington Ave.
Tokens prepared for LDA: ['complete', 'maintenance', 'record', 'contractor', 'respect', 'incident', 'break', 'involve', 'individual', 'intersection', 'symington', 'dupont', 'southbound', 'symington']
Original Request: Records of all fire calls between Jan. 1 2010 to present, including the prime street, cross street, dispatch time, incident number, incident type, alarm level, area, dispatched units, and other data from the computer aided dispatch system.
Tokens prepared for LDA: ['record', 'january', 'present', 'include', 'prime', 'street', 'cross', 'street', 'dispatch', 'incident', 'incident', 'alarm', 'level', 'dispatch', 'datum', 'computer', 'dispatch']
Original Request: A copy of any records that the City of Toronto may have for {}, including but not limited to a complete file and all other reports with respect to City of Toronto 311 Incident #2759723;
Tokens prepared for LDA: ['record', 'toronto', 'include', 'limit', 'complete', 'report', 'respect', 'toronto', 'incident', '2759723']
Original Request: A copy of records for red light camera located at Birchmount Rd. & Huntingwood Dr., detailing data error; repair records; maintenance records and dilemma zone details from Aug. 2013 to Mar. 2014.
Tokens prepared for LDA: ['record', 'light', 'camera', 'locate', 'birchmount', 'huntingwood', 'datum', 'error', 'repair', 'record', 'maintenance', 'record', 'dilemma', 'august', 'march']
Original Request: The identity of the person who complained about parking on parking pad located at {}. Record search from Jun. 2014 to present.
Tokens prepared for LDA: ['identity', 'person', 'complain', 'locate', 'record', 'search', 'present']
Original Request: Copies of documents of the City's policy (if centralized) or policies by each District of the Community Planning Section (if decentralized) regarding the methodology / criteria / practices or guidelines referenced to and utilized by each of the Community
Tokens prepared for LDA: ['copy', 'document', 'policy', 'centralize', 'policy', 'district', 'community', 'planning', 'section', 'decentralize', 'regard', 'methodology', 'criterium', 'practice', 'guideline', 'reference', 'utilize', 'community']
Original Request: A copy of City letter requiring building repairs (concrete and window replacement) at {} issued to {company's }. Record search Jan. 01, 2014 to present.
Tokens prepared for LDA: ['letter', 'require', 'build', 'repair', 'concrete', 'window', 'replacement', 'issue', 'company', 'record', 'search', 'january', 'present']
Original Request: A copy of public health inspection report including notes detail for {}. Inspector is Heather Richards.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'include', 'inspector', 'heather', 'richards']
Original Request: Documents pertaining to the acquisition and improvement of the property know as 819 Sheppard Ave. West as mentioned in reported located at: http://wwwtorontocaIlegdocs/mmisf2OO91gmIbgrd/kgroundfi1e-242O4.pdf from Apr. 2009 to Jun. 2014.
Tokens prepared for LDA: ['document', 'pertain', 'acquisition', 'improvement', 'property', 'sheppard', 'mention', 'report', 'locate', 'http://wwwtorontocailegdocs', 'mmisf2oo91gmibgrd', 'kgroundfi1e-242o4.pdf', 'april']
Original Request: Documents pertaining to the acquisition and improvement of the property know as 819 Sheppard Ave. West as mentioned in this report: http://www.toronto.ca/legdocs/mmis/2012/ex/bgrd/backgroundfile-46188.pdf from Apr. 2009 to Jun. 2014.
Tokens prepared for LDA: ['document', 'pertain', 'acquisition', 'improvement', 'property', 'sheppard', 'mention', 'report', 'http://www.toronto.ca/legdocs/mmis/2012/ex/bgrd/backgroundfile-46188.pdf', 'april']
Original Request: Any and all reports submitted by staff, parents, witnesses and any other City of Toronto employee regarding {individual's } participation in the Minds in Motion program from Sept. 2013 to July 2014.
Tokens prepared for LDA: ['report', 'submit', 'staff', 'parent', 'witness', 'toronto', 'employee', 'regard', 'individual', 'participation', 'mind', 'motion', 'program', 'september']
Original Request: Tree report by Steven Miller made on June 10, 2014 relating to {}. The reference number is 273862.
Tokens prepared for LDA: ['report', 'steven', 'miller', 'relate', 'reference', '273862']
Original Request: Tree maintenance / pruning / attendance / reports etc. for the tree on or around {}, Etobicoke.
Tokens prepared for LDA: ['maintenance', 'prune', 'attendance', 'report', 'etobicoke']
Original Request: All details, city information, reports, inspector reports, notes, complaint details, details of complainant, details of non-violation of City by-laws, phone calls, e-mails relating to driveway inspection, fence inspection for {}
Tokens prepared for LDA: ['information', 'report', 'inspector', 'report', 'complaint', 'complainant', 'violation', 'phone', 'relate', 'driveway', 'inspection', 'fence', 'inspection']
Original Request: Proposal from Choice Children's Catering in response to RFP# 0613-12-0033 dated April 30, 2012; Choice Children's Catering proponent site inspection report from RFP# 0613-12-0033; evaluation results from selection committee.
Tokens prepared for LDA: ['proposal', 'choice', 'child', 'catering', 'response', 'april', 'choice', 'child', 'catering', 'proponent', 'inspection', 'report', 'evaluation', 'result', 'selection', 'committee']
Original Request: Proposal from Choice Children's Catering in response to RFP# 0613-12-0033 dated April 30, 2012; Choice Children's Catering proponent site inspection report from RFP# 0613-12-0033; evaluation results from selection committee.
Tokens prepared for LDA: ['proposal', 'choice', 'child', 'catering', 'response', 'april', 'choice', 'child', 'catering', 'proponent', 'inspection', 'report', 'evaluation', 'result', 'selection', 'committee']
Original Request: Proposal from Choice Children's Catering in response to RFP# 0613-02-0005 dated Jan. 2003; Choice Children's Catering proponent inspection report from RFP# 0613-02-0005; evaluation results from selection committee.
Tokens prepared for LDA: ['proposal', 'choice', 'child', 'catering', 'response', 'january', 'choice', 'child', 'catering', 'proponent', 'inspection', 'report', 'evaluation', 'result', 'selection', 'committee']
Original Request: Proposal from Choice Children's Catering in response to RFP# 0613-08-0099 dated April 8, 2008; Choice Children's Catering and Yummy Catering Services proponent inspection report from RFP# 0613-08-0099; evaluation results from selection committee.
Tokens prepared for LDA: ['proposal', 'choice', 'child', 'catering', 'response', 'april', 'choice', 'child', 'catering', 'yummy', 'catering', 'services', 'proponent', 'inspection', 'report', 'evaluation', 'result', 'selection', 'committee']
Original Request: Proposal from Choice Children's Catering in response to RFP# 0613-08-0099 dated April 8, 2008; Choice Children's Cateringand Yummy Catering Services proponent inspection report from RFP# 0613-08-0099; evaluation results from selection committee.
Tokens prepared for LDA: ['proposal', 'choice', 'child', 'catering', 'response', 'april', 'choice', 'child', 'cateringand', 'yummy', 'catering', 'services', 'proponent', 'inspection', 'report', 'evaluation', 'result', 'selection', 'committee']
Original Request: Yummy Catering Services Inc. evaluation results from proponent site inspection from RFP # 0613-12-0033 performed by Noraxx Inspections Inc.
Tokens prepared for LDA: ['yummy', 'catering', 'services', 'evaluation', 'result', 'proponent', 'inspection', 'perform', 'noraxx', 'inspection']
Original Request: Records on progress of Union Station Revitalization project up to May 13, 2013 including the original project schedule, any revised schedules up to May 13, 2013.
Tokens prepared for LDA: ['record', 'progress', 'union', 'station', 'revitalization', 'project', 'include', 'original', 'project', 'schedule', 'revise', 'schedule']
Original Request: Any progress reports on the Union Station Project between Carillion Construction Inc and Richard Coveduck, including e-mails, budget documents referring to construction progress, delays, contract disputes, references to timeline, the PamAm Games.
Tokens prepared for LDA: ['progress', 'report', 'union', 'station', 'project', 'carillion', 'construction', 'richard', 'coveduck', 'include', 'budget', 'document', 'refer', 'construction', 'progress', 'delay', 'contract', 'dispute', 'reference', 'timeline', 'pamam', 'game']
Original Request: Any record, permits, letters related to {} including house, garage and fences including any changes to the property from 1960 to present.
Tokens prepared for LDA: ['record', 'permit', 'letter', 'relate', 'include', 'house', 'garage', 'fence', 'include', 'change', 'property', 'present']
Original Request: Any and all reports and inspections notes and records of attendance at {} from July 2013 to March 2014, from Toronto Fire Services inspections.
Tokens prepared for LDA: ['report', 'inspection', 'record', 'attendance', 'march', 'toronto', 'services', 'inspection']
Original Request: A copy of building permits {Building permit numbers} issued to {} from 1979 to 1980.
Tokens prepared for LDA: ['build', 'permit', 'building', 'permit', 'number', 'issue']
Original Request: Copies of investigative reports for {} conducted by: Toronto Animal Services and ML&S; conducted on Jun. 7, 2014 regarding complaint by landlord of Ferret waste smell. Investigator - Paul Michalik, #182.
Tokens prepared for LDA: ['copy', 'investigative', 'report', 'conduct', 'toronto', 'animal', 'services', 'conduct', 'regard', 'complaint', 'landlord', 'ferret', 'waste', 'smell', 'investigator', 'michalik']
Original Request: A copy of inspection report for {} including records pertaining to the construction of a second floor on what was previously a split level home and subsequent vinyl siding installed onto the addition to the property.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'record', 'pertain', 'construction', 'floor', 'previously', 'split', 'level', 'subsequent', 'vinyl', 'install', 'addition', 'property']
Original Request: Record of complaint made by {individual's } regarding requests for plans and drawings for {} {lot number removed}. Record search from Jun. 1, 2013 to Jul. 14, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'individual', 'regard', 'request', 'drawing', 'removed}.', 'record', 'search']
Original Request: Copies of various building permits and inspection reports for {} Roll No. {Roll number removed}: a). 10223449 BLD SR/BLD 01 SR/HVA 00 MS b). 10207787 BLD 00 SR c). 10205388 BLD 00 SR d). 10205503 PSA 00 PS
Tokens prepared for LDA: ['copy', 'various', 'build', 'permit', 'inspection', 'report', 'remove', '10223449', '10207787', '10205388', '10205503']
Original Request: Records of all City visits to {} specifically regarding building permits, applications, inspections and service visits to look at potential water, hydro or other issues. Visits related to demolition and, construction of a new home.
Tokens prepared for LDA: ['record', 'visit', 'specifically', 'regard', 'build', 'permit', 'application', 'inspection', 'service', 'visit', 'potential', 'water', 'hydro', 'issue', 'visit', 'relate', 'demolition', 'construction']
Original Request: A copy of record regarding Toronto Hostel Services daily shelter census, specifically highlighting the exact process used to calculate the census, whether the process counts only those sleeping in beds, on mattresses, mats or on the floors.
Tokens prepared for LDA: ['record', 'regard', 'toronto', 'hostel', 'services', 'daily', 'shelter', 'census', 'specifically', 'highlight', 'exact', 'process', 'calculate', 'census', 'process', 'count', 'sleep', 'mattress', 'floor']
Original Request: A copy of record regarding Toronto Hostel Services daily shelter census, specifically highlighting the exact process used to calculate the census, whether the process counts only those sleeping in beds, on mattresses, mats or on the floors.
Tokens prepared for LDA: ['record', 'regard', 'toronto', 'hostel', 'services', 'daily', 'shelter', 'census', 'specifically', 'highlight', 'exact', 'process', 'calculate', 'census', 'process', 'count', 'sleep', 'mattress', 'floor']
Original Request: Record of any complaints made with respect to {} related to uneven ground, potholes, pavement cracks and now or ice not properly removed from January 2009 to present.
Tokens prepared for LDA: ['record', 'complaint', 'respect', 'relate', 'uneven', 'grind', 'pothole', 'pavement', 'crack', 'properly', 'remove', 'january', 'present']
Original Request: Records for the examination of the feasibility, fiscal and civic impact of the internet voting platform for the upcoming elections
Tokens prepared for LDA: ['record', 'examination', 'feasibility', 'fiscal', 'civic', 'impact', 'internet', 'platform', 'upcoming', 'election']
Original Request: Record of all complaints made regarding shed located at {} from 2005 to 2013.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'locate']
Original Request: Record of complaints and violations against the estate of {individual's } at {} pertaining to maintenance, and safety issues from Jan.1, 2012 to present.
Tokens prepared for LDA: ['record', 'complaint', 'violation', 'estate', 'individual', 'pertain', 'maintenance', 'safety', 'issue', 'jan.1', 'present']
Original Request: A copy of any logs, schedules or other documents detailing snow removal on Scarborough Golf Club Road (bus routes) for seven days prior to and inclusive of Jan. 19, 2009 including the names of any persons whom actually plowed theses routes.
Tokens prepared for LDA: ['schedule', 'document', 'removal', 'scarborough', 'route', 'seven', 'prior', 'inclusive', 'january', 'include', 'person', 'actually', 'thesis', 'route']
Original Request: All security records connected to the incidents involving Mayor Rob Ford between Jul. 16 & 17. These records could include, but are not limited to, formal or informal incident reports, video footage from security cameras etc.
Tokens prepared for LDA: ['security', 'record', 'connect', 'incident', 'involve', 'mayor', 'record', 'include', 'limit', 'formal', 'informal', 'incident', 'report', 'video', 'footage', 'security', 'camera']
Original Request: All documents on file with respect to {} between Jun. 2011 and the present, specifically with respect to unauthorized occupation of this property, removal of trees and fencing and excavation work. Records to include all building permits.
Tokens prepared for LDA: ['document', 'respect', 'present', 'specifically', 'respect', 'unauthorized', 'occupation', 'property', 'removal', 'fence', 'excavation', 'record', 'include', 'build', 'permit']
Original Request: Record of all COT unclaimed cheques drawn between Jan. 1, 2013 and Dec. 31, 2013 and still outstanding as of Jul. 1, 2014 along with details of the cheque number, date, amount and beneficiary's name.
Tokens prepared for LDA: ['record', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'cheque', 'beneficiary']
Original Request: Record of e-mails and reports on the status of the Union Station Revitalization Project between Richard Coveduck and Metrolinx current and former CEO's Bruce McCuaig and Rob Prichard from Jan. 1, 2010 to Jul. 21, 2014.
Tokens prepared for LDA: ['record', 'report', 'status', 'union', 'station', 'revitalization', 'project', 'richard', 'coveduck', 'metrolinx', 'current', 'bruce', 'mccuaig', 'prichard', 'january']
Original Request: Record of temporary permit issued to and permit applications made by {company's removed} at {} authorizing the use of City lane way for the pickup removal of waste at the rear of City property.
Tokens prepared for LDA: ['record', 'temporary', 'permit', 'issue', 'permit', 'application', 'company', 'remove', 'authorize', 'pickup', 'removal', 'waste', 'property']
Original Request: Record of temporary permit issued to and permit applications made by {company's removed} or {company's removed} at {} authorizing the use of City lane way for the pickup removal of waste..
Tokens prepared for LDA: ['record', 'temporary', 'permit', 'issue', 'permit', 'application', 'company', 'remove', 'company', 'remove', 'authorize', 'pickup', 'removal', 'waste']
Original Request: A copy of all permits, permit applications, inspection reports and note details regarding {} including records relating to front and rear additions to property and the fencing off of the right-of-way located between {}.
Tokens prepared for LDA: ['permit', 'permit', 'application', 'inspection', 'report', 'regard', 'include', 'record', 'relate', 'addition', 'property', 'fence', 'right', 'locate']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard']
Original Request: Record of sewer maintenance for {} and surrounding areas (and a 3 block radius) detailing; sewer pipe replacement, documents, photos and reports from as far back as possible to June 2014.
Tokens prepared for LDA: ['record', 'sewer', 'maintenance', 'surround', 'block', 'radius', 'sewer', 'replacement', 'document', 'photo', 'report', 'possible']
Original Request: A copy of inspection report for building permit #. {Building permit number} for {}
Tokens prepared for LDA: ['inspection', 'report', 'build', 'permit', 'building', 'permit']
Original Request: Record of the total number of metro licenses issued to Roofers/Roofing companies during 2011, 2012 and 2013; including the number of licenses at the end of each year.
Tokens prepared for LDA: ['record', 'total', 'metro', 'license', 'issue', 'roofer', 'roofing', 'company', 'include', 'license']
Original Request: Record of all calls made to 311 and Revenue Services (water billing) from {} from 2009 to present.
Tokens prepared for LDA: ['record', 'revenue', 'services', 'water', 'present']
Original Request: A copy of inspector's report including all notes for {}.
Tokens prepared for LDA: ['inspector', 'report', 'include']
Original Request: A copy of file AO94/03M pertaining to {} legal description {Parcel number}, Notice of Decision, Minor Variance/ Permission.
Tokens prepared for LDA: ['ao94/03', 'pertain', 'legal', 'description', 'parcel', 'notice', 'decision', 'minor', 'variance/', 'permission']
Original Request: Record of discharged order CA 610845 placed on the title of {} in 1998, stating nothing is outstanding on the property.
Tokens prepared for LDA: ['record', 'discharge', 'order', '610845', 'place', 'title', 'state', 'outstanding', 'property']
Original Request: A copy of all the 'Confirmation of Expression of Interest' forms the City received from companies for the 'Ice Storm Debris Removal from Parks, Trails and Watercourses; operations.
Tokens prepared for LDA: ['confirmation', 'expression', 'receive', 'company', 'storm', 'debris', 'removal', 'parks', 'trail', 'watercourse', 'operation']
Original Request: All documentation produced by the City on actual work performed by contractors during the ice storm clean up, this includes City Inspectors names and reviews, crew lead names, start locations/finish locations to monitor progress, shift start etc.
Tokens prepared for LDA: ['documentation', 'produce', 'actual', 'perform', 'contractor', 'storm', 'clean', 'include', 'inspector', 'review', 'start', 'location', 'finish', 'location', 'monitor', 'progress', 'shift', 'start']
Original Request: Copies of all permits, permit application and all other pertinent documents issued to {} pertaining to permit {Permit number}.
Tokens prepared for LDA: ['copy', 'permit', 'permit', 'application', 'pertinent', 'document', 'issue', 'pertain', 'permit', 'permit', 'number}.']
Original Request: Copies of all permits, permit application and all other pertinent documents issued to {} pertaining to permit {Permit number}.
Tokens prepared for LDA: ['copy', 'permit', 'permit', 'application', 'pertinent', 'document', 'issue', 'pertain', 'permit', 'permit', 'number}.']
Original Request: A copy of all plans and drawings for {} showing the building dimensions and setbacks (building height, depth and width) including all permits and surveys for current construction.
Tokens prepared for LDA: ['drawing', 'build', 'dimension', 'setback', 'build', 'height', 'depth', 'width', 'include', 'permit', 'survey', 'current', 'construction']
Original Request: Record of every traffic collision in Toronto in 2012, 2013 and 2014 (to present) detailing the date and location of each collision, including date, location, time, and injury types involved in each collision.
Tokens prepared for LDA: ['record', 'traffic', 'collision', 'toronto', 'present', 'location', 'collision', 'include', 'location', 'injury', 'involve', 'collision']
Original Request: Copies of ML&S notes and reports pertaining to {} from Nov 1, 2013 to present and Toronto Public Health from Jun. 2013 to present.
Tokens prepared for LDA: ['copy', 'report', 'pertain', 'present', 'toronto', 'public', 'health', 'present']
Original Request: Copies of all documents ( investigation and other reports, list of infractions and work orders) pertaining to {}; the property being condemned by Toronto Fire Services, which resulted in tenants being forced to leave.
Tokens prepared for LDA: ['copy', 'document', 'investigation', 'report', 'infraction', 'order', 'pertain', 'property', 'condemn', 'toronto', 'services', 'result', 'tenant', 'force', 'leave']
Original Request: Any and all records and documents in the possession of the City relating to municipal licences and permits applied for, granted, renewed or denied to {}, from the period of 1995 to the present.
Tokens prepared for LDA: ['record', 'document', 'possession', 'relate', 'municipal', 'licence', 'permit', 'apply', 'grant', 'renew', 'period', 'present']
Original Request: Copies of awarded contracts including schedules and unit pricing for {company's removed} Jan. 3, 2014.
Tokens prepared for LDA: ['copy', 'award', 'contract', 'include', 'schedule', 'price', 'company', 'remove', 'january']
Original Request: Record of any open work orders and those closed for {}
Tokens prepared for LDA: ['record', 'order', 'close']
Original Request: A copy of property standards file for {} from the initial call to what was ordered and completed.
Tokens prepared for LDA: ['property', 'standard', 'initial', 'order', 'complete']
Original Request: Any records relating to fire inspection and public health inspection for {} since June 2014.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'public', 'health', 'inspection']
Original Request: A copy of building permit for {}, Scarborough. The permit number is 02153823 dated June 16, 2003 and Oct. 4, 2005.
Tokens prepared for LDA: ['build', 'permit', 'scarborough', 'permit', '02153823', 'october']
Original Request: Copies of reports and work orders for investigations for {} pertaining to illegal basement apartment, carried out by ML&S (D'elijah Ballaret) and Toronto Fire Services (Alex Avashake).
Tokens prepared for LDA: ['copy', 'report', 'order', 'investigation', 'pertain', 'illegal', 'basement', 'apartment', 'carry', "d'elijah", 'ballaret', 'toronto', 'services', 'avashake']
Original Request: All paperwork for {} including forms filled and permits regarding construction vibrations (Toronto Municipal Code, Chapter 363-3.6) associated with the new development.
Tokens prepared for LDA: ['paperwork', 'include', 'permit', 'regard', 'construction', 'vibration', 'toronto', 'municipal', 'chapter', 'associate', 'development']
Original Request: Record of complaints made including the identity of the complainant, to Toronto Public Health against {company's } from Jun. 1, 2014 to Jul. 10, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'identity', 'complainant', 'toronto', 'public', 'health', 'company']
Original Request: Copies of building permit and building files for: {company's removed} {}
Tokens prepared for LDA: ['copy', 'build', 'permit', 'build', 'company', 'remove']
Original Request: A complete copy of building file for {}. Related to water damage as a result of construction deficiencies at condominium complex located at address.
Tokens prepared for LDA: ['complete', 'build', 'relate', 'water', 'damage', 'result', 'construction', 'deficiency', 'condominium', 'complex', 'locate', 'address']
Original Request: Copies of internal reports, designs drawings and budget (including spreadsheets) for the renovation/reconstruction of College Park (i.e. the public park between Bay and Yonge, south off 777 Bay Street & College Park buildings).
Tokens prepared for LDA: ['copy', 'internal', 'report', 'design', 'drawing', 'budget', 'include', 'spreadsheet', 'renovation', 'reconstruction', 'college', 'public', 'yonge', 'south', 'street', 'college', 'building']
Original Request: List of all parkland acquisitions, cash contributions, land dedications including the value of each contribution and the address and location of the development project that produced the funds/land. Record search from 2011 to present.
Tokens prepared for LDA: ['parkland', 'acquisition', 'contribution', 'dedication', 'include', 'value', 'contribution', 'address', 'location', 'development', 'project', 'produce', 'record', 'search', 'present']
Original Request: Copies of any records (i.e. license applications) of {company's removed} for business {company's } or {company's and } (no longer there) that shows another address or full name of business license applicant.
Tokens prepared for LDA: ['copy', 'record', 'license', 'application', 'company', 'remove', 'business', 'company', 'company', 'address', 'business', 'license', 'applicant']
Original Request: Copies of all documents contained in property standards file No. {File number removed}.
Tokens prepared for LDA: ['copy', 'document', 'contain', 'property', 'standard', 'removed}.']
Original Request: Copy of record showing the classification of property at {} as a duplex or dwelling.
Tokens prepared for LDA: ['record', 'classification', 'property', 'duplex', 'dwell']
Original Request: A complete copy of building inspection notes for {}, permit No. {Permit number removed} issued May 31, 2010; including all correspondence and status inspection.
Tokens prepared for LDA: ['complete', 'build', 'inspection', 'permit', 'permit', 'remove', 'issue', 'include', 'correspondence', 'status', 'inspection']
Original Request: Record of any documentation, work orders etc. pertaining to water main problem at/or near {} during Jun. 1, 2014 to Jul. 10, 2014; which resulted in damages to building.
Tokens prepared for LDA: ['record', 'documentation', 'order', 'pertain', 'water', 'problem', 'result', 'damage', 'build']
Original Request: Record of complaints and action taken by the City regarding {} from May 1, 2014 to July 21, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'action', 'regard']
Original Request: All history for {} of work orders and all outstanding orders, zoning permits of all structures on the property and sellers' history.
Tokens prepared for LDA: ['history', 'order', 'outstanding', 'order', 'permit', 'structure', 'property', 'seller', 'history']
Original Request: Record of {} as a legal 5 plex, the length of time it has been classified as such and if it is legally maintained according to City standards.
Tokens prepared for LDA: ['record', 'legal', 'length', 'classify', 'legally', 'maintain', 'accord', 'standard']
Original Request: All documents associated with {}, permit No. {Permit number removed} from Jan. 1963 to Dec 1963.
Tokens prepared for LDA: ['document', 'associate', 'permit', 'permit', 'remove', 'january']
Original Request: Any warnings, charges or convictions against {company's removed} located at {}, Toronto from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['warning', 'charge', 'conviction', 'company', 'remove', 'locate', 'toronto', 'january', 'pertain', 'tobacco']
Original Request: A complete copy of off-street parking file relating to {} including but not limited to; all applications for parking permits, notes and records relating to investigations of property for purposes of granting or rejecting permits.
Tokens prepared for LDA: ['complete', 'street', 'relate', 'include', 'limit', 'application', 'permit', 'record', 'relate', 'investigation', 'property', 'purpose', 'grant', 'reject', 'permit']
Original Request: Information regarding the tree located on andaround {} including documents, photos, arborist reports, forestry reports, maintenance, pruning reports etc.
Tokens prepared for LDA: ['information', 'regard', 'locate', 'andaround', 'include', 'document', 'photo', 'arborist', 'report', 'forestry', 'report', 'maintenance', 'prune', 'report']
Original Request: Traffic camera footage for a motor vehicle accident that happened on the Don Valley Parkway N/B at Wynford Drive at approx. 3.05 pm on July 11, 2014. Vehicles involved were 2005Ford Trck Econoline E350 and 2006 Infiniti G35X plate # {Licence plate number removed}.
Tokens prepared for LDA: ['traffic', 'camera', 'footage', 'motor', 'vehicle', 'accident', 'happen', 'valley', 'parkway', 'wynford', 'drive', 'approx', 'vehicle', 'involve', '2005ford', 'econoline', 'infiniti', 'plate', 'licence', 'plate', 'removed}.']
Original Request: Copies of permits and applications for permits relating to the "Ford Fest" event at Thompson Memorial Park on July 25, 2014.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'permit', 'relate', 'event', 'thompson', 'memorial']
Original Request: A copy of building permit for {} including description of permit and the legal units. Permit number is 92-022389 BLD.
Tokens prepared for LDA: ['build', 'permit', 'include', 'description', 'permit', 'legal', 'permit', '022389']
Original Request: All documents related to {} including reports, correspondence, orders, permits and all matters related to building parking, water hook-up excavation etc. from 1990 to Jul. 25, 2014.
Tokens prepared for LDA: ['document', 'relate', 'include', 'report', 'correspondence', 'order', 'permit', 'matter', 'relate', 'build', 'water', 'excavation']
Original Request: Notes on construction at intersection of 427 and The Queensway or The Queensway and Sherway Gardens Dr. on May 21, 2014 at approximately 11PM.
Tokens prepared for LDA: ['note', 'construction', 'intersection', 'queensway', 'queensway', 'sherway', 'garden', 'approximately']
Original Request: Any and all records (notes, phone calls etc.) of complaints from {Owner's name} family owners of {} regarding problems of trees and water from {}.
Tokens prepared for LDA: ['record', 'phone', 'complaint', 'owner', 'family', 'owner', 'regard', 'problem', 'water']
Original Request: Record of sprinkler decommissioning certificate and building permits for {} from 1950 to 2009.
Tokens prepared for LDA: ['record', 'sprinkler', 'decommission', 'certificate', 'build', 'permit']
Original Request: Any and all case notes or orders issued in relation to the property at {} by ML&S from May 1, 2014 to July 15, 2014.
Tokens prepared for LDA: ['order', 'issue', 'relation', 'property']
Original Request: Any and all documents, photographs, videos, records, notes, e-mails, correspondence, memoranda, letters, policies and practices relating to the water damage at {} {company's removed} that occurred on July 8, 2013.
Tokens prepared for LDA: ['document', 'photograph', 'video', 'record', 'correspondence', 'memorandum', 'letter', 'policy', 'practice', 'relate', 'water', 'damage', 'company', 'remove', 'occur']
Original Request: The identity of the person including their address who submitted a complaint regarding vehicle parked at {} from Jun. 1, 2014 to July 29, 2014.
Tokens prepared for LDA: ['identity', 'person', 'include', 'address', 'submit', 'complaint', 'regard', 'vehicle']
Original Request: A complete copy of work order records for catch basin work done at {} any reports, follow up notes details or reports if any and the names of the persons who took the reports.
Tokens prepared for LDA: ['complete', 'order', 'record', 'catch', 'basin', 'report', 'follow', 'report', 'person', 'report']
Original Request: Record for {} of any outstanding public health requirements, work orders, deficiencies, permits or approvals issued.
Tokens prepared for LDA: ['record', 'outstanding', 'public', 'health', 'requirement', 'order', 'deficiency', 'permit', 'approval', 'issue']
Original Request: A copy of inspection report for the investigation of bed bugs at {} on Jul. 17, 2014. Inspector, Lall Singh.
Tokens prepared for LDA: ['inspection', 'report', 'investigation', 'inspector', 'singh']
Original Request: A copy of all paperwork, forms filled, permits related to demolition, specifically; vibration control form related to demolition, permit No. {Permit number} for {}.
Tokens prepared for LDA: ['paperwork', 'permit', 'relate', 'demolition', 'specifically', 'vibration', 'control', 'relate', 'demolition', 'permit', 'permit']
Original Request: Record of all signage variance and permits associated with {}.
Tokens prepared for LDA: ['record', 'signage', 'variance', 'permit', 'associate']
Original Request: All notes, e-mails, memos, reports or any other electronic/non-electronic communications between staff or officers of Ontario Lottery & Gaming Corp. and City of Toronto Economic Development Culture staff from Jan. 1, 2012 to May 31, 2013.
Tokens prepared for LDA: ['report', 'electronic', 'electronic', 'communication', 'staff', 'officer', 'ontario', 'lottery', 'gaming', 'corp.', 'toronto', 'economic', 'development', 'culture', 'staff', 'january']
Original Request: A complete copy of ML&S inspection report for {} regarding water flow and pump installation inspection. Report was done by ML&S officer Paula Thomas on July 28, 2014.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'regard', 'water', 'installation', 'inspection', 'report', 'officer', 'paula', 'thomas']
Original Request: Record of all insurance claims against the city for any property damage or injury resulting from fallen trees or branches, potholes, flooding and any other types (slip & fall, etc) from Jan. 1, 2009 to most current in a tabular electronic format.
Tokens prepared for LDA: ['record', 'insurance', 'claim', 'property', 'damage', 'injury', 'result', 'branch', 'pothole', 'flood', 'january', 'current', 'tabular', 'electronic', 'format']
Original Request: Record of from all marriage license applications made to the city. Please provide the following information (in tabular electronic format) for each applicant from Jan. 1, 2009 to most current.
Tokens prepared for LDA: ['record', 'marriage', 'license', 'application', 'provide', 'follow', 'information', 'tabular', 'electronic', 'format', 'applicant', 'january', 'current']
Original Request: Record of all parking tickets issued from Jan 1, 2014 to the most current (in tabular electronic format) showing: Tag_Number_Masked, Date of Infraction, Infraction Code, Infraction Description, Set_Fine_Amount, Time Of Infraction, Location 1, Location2
Tokens prepared for LDA: ['record', 'ticket', 'issue', 'current', 'tabular', 'electronic', 'format', 'tag_number_masked', 'infraction', 'infraction', 'infraction', 'description', 'set_fine_amount', 'infraction', 'location', 'location2']
Original Request: Record of all payments made to the voluntary contributions program (in an tabular electronic format ) from Jan. 1, 2009 to the most current date available.
Tokens prepared for LDA: ['record', 'payment', 'voluntary', 'contribution', 'program', 'tabular', 'electronic', 'format', 'january', 'current', 'available']
Original Request: A complete copy of inspection report for {} regarding flooded basement, ref. # 101001798519 on or about Jun. 29-30, 2014. Copies of all other reports done by the City in previous years.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'regard', 'flood', 'basement', '101001798519', 'copy', 'report', 'previous']
Original Request: A copy of report regarding retaining walls belonging to {} and {} in which one wall fell onto {} Officer, Frank D'Amico. Record search from Jun. 13, 2014 to present.
Tokens prepared for LDA: ['report', 'regard', 'retain', 'belong', 'officer', 'frank', "d'amico", 'record', 'search', 'present']
Original Request: A copy of records concerning the Ellesmere Employment Study and Ellesmere Employment Study Update Report as follows: 1. All records pertaining to the information and research compiled by City Planning staff as part of the Ellesmere Employment Study.
Tokens prepared for LDA: ['record', 'concern', 'ellesmere', 'employment', 'study', 'ellesmere', 'employment', 'study', 'update', 'report', 'follow', 'record', 'pertain', 'information', 'research', 'compile', 'planning', 'staff', 'ellesmere', 'employment', 'study']
Original Request: A copy of complaint report made against {} in 2014.
Tokens prepared for LDA: ['complaint', 'report']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014. as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 relating to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'relate', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Electronic or paper day-planner (personal, City of Toronto calendar) from Jan. 1, 2013 to July 15, 2014 for Councillor Mark Grimes, Ward 6, Etobicoke-Lakeshore.
Tokens prepared for LDA: ['electronic', 'paper', 'planner', 'personal', 'toronto', 'calendar', 'january', 'councillor', 'grime', 'etobicoke', 'lakeshore']
Original Request: A complete copy of building permit and all other documentation for {} No. {Permit number removed} for pool and fence work. Record search from Mar. 16, 2011 to Jul. 26, 2013.
Tokens prepared for LDA: ['complete', 'build', 'permit', 'documentation', 'permit', 'remove', 'fence', 'record', 'search', 'march']
Original Request: Data of all reported collisions within the City of Toronto from Jan. 1, 2012 to Oct. 31, 2013. Raw collision data should include: year; date; time; classifications; initial impact type; vehicle type; cyclist; pedestrian; street 1; street 2 etc.
Tokens prepared for LDA: ['report', 'collision', 'toronto', 'january', 'october', 'collision', 'datum', 'include', 'classification', 'initial', 'impact', 'vehicle', 'cyclist', 'pedestrian', 'street', 'street']
Original Request: A copy of spreadsheet detailing annual Parkland Dedications versus Cash-in-Lieu contributions from 2004 to 2014 as outlined in the following reports: http://www.toronto.ca/legdocs/mmis/2010/pe/bgrd/backgroundfile-30041.pdf.
Tokens prepared for LDA: ['spreadsheet', 'annual', 'parkland', 'dedication', 'versus', 'contribution', 'outline', 'follow', 'report', 'http://www.toronto.ca/legdocs/mmis/2010/pe/bgrd/backgroundfile-30041.pdf']
Original Request: The name of the baseball/softball organization which played at Birch Park on July 28, 2014 and the name of the associated player whose ball broke the windshield of vehicle belonging to {Owner's name}, including the dates and times of all future games.
Tokens prepared for LDA: ['baseball', 'softball', 'organization', 'birch', 'associate', 'player', 'break', 'windshield', 'vehicle', 'belong', 'owner', 'include', 'future']
Original Request: The name and address of the person who made a noise complaint against property at {} on July 31, 2014. By-law Officer, Roxanne Struk, No. A 253.
Tokens prepared for LDA: ['address', 'person', 'noise', 'complaint', 'property', 'officer', 'roxanne', 'struk']
Original Request: All information including permits for {}, permit # {Permit number removed} from Mar. 1, 2014 to present.
Tokens prepared for LDA: ['information', 'include', 'permit', 'permit', 'permit', 'remove', 'march', 'present']
Original Request: Copies of any and all documents, photographs, videos, records, notes, e-mails, correspondence, memoranda, letters, policies, and practices pertaining to {}.
Tokens prepared for LDA: ['copy', 'document', 'photograph', 'video', 'record', 'correspondence', 'memorandum', 'letter', 'policy', 'practice', 'pertain']
Original Request: Record of complaint forwarded to TAS by a third party regarding dog {Dog's individual's }. File # {File nunber removed}. Officer, Roxanne Struk, ID No. A 253. A complete copy of PH file for {} regarding dog {Dog's name}. Officer, Heather Richards.
Tokens prepared for LDA: ['record', 'complaint', 'forward', 'party', 'regard', 'individual', 'nunber', 'removed}.', 'officer', 'roxanne', 'struk', 'complete', 'regard', 'name}.', 'officer', 'heather', 'richards']
Original Request: List of the names, titles and associated annual salaries of all employees of the Swansea Town Hall at 95 Lanivia Ave.. Record search Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['title', 'associate', 'annual', 'salary', 'employee', 'swansea', 'lanivia', 'record', 'search', 'january', 'december']
Original Request: Detailed information on investigations carried out at {} concerning an illegal rooming house in 2010 and waste in 2011.
Tokens prepared for LDA: ['detail', 'information', 'investigation', 'carry', 'concern', 'illegal', 'house', 'waste']
Original Request: Record of any complaints with respect to the maintenance of the intersection of Front St. and University Ave from Aug. 2012 to Feb. 2013.
Tokens prepared for LDA: ['record', 'complaint', 'respect', 'maintenance', 'intersection', 'university', 'august', 'february']
Original Request: A copy of building permit and permit applications for {} pertaining to the original construction and all repairs to the balconies and exterior walls in the past 10 years.
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'pertain', 'original', 'construction', 'repair', 'balcony', 'exterior']
Original Request: A copy of Committee of Adjustment, City Planning or Council Decision for the approval of {}.
Tokens prepared for LDA: ['committee', 'adjustment', 'planning', 'council', 'decision', 'approval']
Original Request: Record of all municipal orders issued to {} from Jun. 2, 2014 to present.
Tokens prepared for LDA: ['record', 'municipal', 'order', 'issue', 'present']
Original Request: Record of traffic light malfunction report at Queen St. and Broadview on May 4, 2014 at 7:27 pm. by the TTC to 311 including any reports from transportation services.
Tokens prepared for LDA: ['record', 'traffic', 'light', 'malfunction', 'report', 'queen', 'broadview', 'include', 'report', 'transportation', 'service']
Original Request: A complete copy of ML&S file for {}. Inspector, Michael Anastasopoulos. Record search 2014.
Tokens prepared for LDA: ['complete', 'inspector', 'michael', 'anastasopoulos', 'record', 'search']
Original Request: A complete copy of broken water main report for {} on July 7, 2014 from 4:00 PM to midnight.
Tokens prepared for LDA: ['complete', 'break', 'water', 'report', 'midnight']
Original Request: All records regarding {} from ML&S and Public Health pertaining to complaints, inspections (notes and reports), violations, notices work orders and all relevant information.
Tokens prepared for LDA: ['record', 'regard', 'public', 'health', 'pertain', 'complaint', 'inspection', 'report', 'violation', 'notice', 'order', 'relevant', 'information']
Original Request: Copies of all incident reports relating to 311 file ref. no. 2792202 including all subsequent opened files or related incident reports.
Tokens prepared for LDA: ['copy', 'incident', 'report', 'relate', '2792202', 'include', 'subsequent', 'relate', 'incident', 'report']
Original Request: Record of schedules and documents related to signage variance, chapter 297 sign for; 1 Dundas At. W. (Eaton Centre ¿ Yonge & Dundas), ref. # 04-128903
Tokens prepared for LDA: ['record', 'schedule', 'document', 'relate', 'signage', 'variance', 'chapter', 'dundas', 'eaton', 'centre', 'yonge', 'dundas', '128903']
Original Request: A copy of engineering report/assessment on collapsed deck under permit # 227786, 1985 for {}.. All documents related to permit 081201, 1978, specifically anything related to the shared underground space beneath the six units
Tokens prepared for LDA: ['engineer', 'report', 'assessment', 'collapse', 'permit', '227786', 'document', 'relate', 'permit', '081201', 'specifically', 'relate', 'share', 'underground', 'space', 'beneath']
Original Request: All information pertaining to the parkland dedication fees previously paid to the City for the subject site at {} specifically pertaining to the following applications; to determine what parkland dedication fees were paid.
Tokens prepared for LDA: ['information', 'pertain', 'parkland', 'dedication', 'previously', 'subject', 'specifically', 'pertain', 'follow', 'application', 'determine', 'parkland', 'dedication']
Original Request: A copy of the record of the number of tickets issued to citizens making a turn at the intersection of O'Connor onto Lesmount in the calendar year of 2013.
Tokens prepared for LDA: ['record', 'ticket', 'issue', 'citizen', 'intersection', "o'connor", 'lesmount', 'calendar']
Original Request: All building and zoning documentation, permits and or Committee of Adjustment applications within the last 15 years, pertaining to the development of the upper deck built on the property at {} Record search from Jan. 1, 1999 to Aug. 7, 2014
Tokens prepared for LDA: ['build', 'documentation', 'permit', 'committee', 'adjustment', 'application', 'pertain', 'development', 'upper', 'build', 'property', 'record', 'search', 'january', 'august']
Original Request: All documentation relating to the construction of {} 085330 (1980) 2/5 WW 14, 103560 (1980), 108191 (1979) and including all modifications, permits, inspectors notes, plans and reports regarding party wall reports, etc.
Tokens prepared for LDA: ['documentation', 'relate', 'construction', '085330', '103560', '108191', 'include', 'modification', 'permit', 'inspector', 'report', 'regard', 'party', 'report']
Original Request: Record (in their original electronic format) of all ambulance call reports for incidents listed as occurring at the Rogers Centre at 1 Blue Jays Way between Apr. 1, 2013 and Sep. 30, 2013.
Tokens prepared for LDA: ['record', 'original', 'electronic', 'format', 'ambulance', 'report', 'incident', 'occur', 'rogers', 'centre', 'april', 'september']
Original Request: A copy of sexual assault investigation report carried out by Andre Padar regarding incident at Union Station involving {individual's } and two named individuals: {individual's } aka {individual's } and {individual's }.
Tokens prepared for LDA: ['sexual', 'assault', 'investigation', 'report', 'carry', 'andre', 'padar', 'regard', 'incident', 'union', 'station', 'involve', 'individual', 'individual', 'individual', 'individual', 'individual']
Original Request: A copy of the complete file related to dog named "Buddy" owned by {individual's } from January 1, 2005 and April 17, 2009, including but not limited to all papers, reports, orders, briefs, investigations, accounts and information.
Tokens prepared for LDA: ['complete', 'relate', 'buddy', 'individual', 'january', 'april', 'include', 'limit', 'paper', 'report', 'order', 'brief', 'investigation', 'account', 'information']
Original Request: Record of the names and addresses of the construction company or companies performing construction work for the City or for that company's benefit at or near the intersection of Eva Road and The West Mall on November 1, 2010.
Tokens prepared for LDA: ['record', 'address', 'construction', 'company', 'company', 'perform', 'construction', 'company', 'benefit', 'intersection', 'november']
Original Request: A copy of report written by Mark Honey of Toronto Water regarding basement flooding at {} 311 Ref. # 2885909, Toronto Water Ref. # H 802180.
Tokens prepared for LDA: ['report', 'write', 'honey', 'toronto', 'water', 'regard', 'basement', 'flood', '2885909', 'toronto', 'water', '802180']
Original Request: Any correspondence and/or documents pertaining to {individual's } between Toronto Building Chief Official and insurance company between April 15 and April 30, 2011 that shows that they agree to reinstate the original contract at no cost to the owner.
Tokens prepared for LDA: ['correspondence', 'and/or', 'document', 'pertain', 'individual', 'toronto', 'building', 'chief', 'official', 'insurance', 'company', 'april', 'april', 'agree', 'reinstate', 'original', 'contract', 'owner']
Original Request: Record identifying the specific location for construction work on Bloor St, west of Avenue Rd. on November 2, 2010 around 9:50 pm and any traffic camera footage if available.
Tokens prepared for LDA: ['record', 'identify', 'specific', 'location', 'construction', 'bloor', 'avenue', 'november', 'traffic', 'camera', 'footage', 'available']
Original Request: A copy of 2014 zoning certificate for {individual's }
Tokens prepared for LDA: ['certificate', 'individual']
Original Request: Record of any reports and orders issued to {individual's } regarding the non provision of lighting to inside and outside of entryway to unit. Record search Jan. 1, 2014 to Aug. 11, 2014.
Tokens prepared for LDA: ['record', 'report', 'order', 'issue', 'individual', 'regard', 'provision', 'light', 'inside', 'outside', 'entryway', 'record', 'search', 'january', 'august']
Original Request: Record of any fire inspections for {company's removed} located at {} owned by {Owner's individual's }.
Tokens prepared for LDA: ['record', 'inspection', 'company', 'remove', 'locate', 'owner', 'individual']
Original Request: Any and all fire inspection reports for {} as far back as possible to present.
Tokens prepared for LDA: ['inspection', 'report', 'possible', 'present']
Original Request: Record of any service requests to 311 via telephone and online for damages to sidewalk and interlocking brick at and in front of {} and the area just south of Lawrence Ave. W. on Weston Rd (south side); including work orders.
Tokens prepared for LDA: ['record', 'service', 'request', 'telephone', 'online', 'damage', 'sidewalk', 'interlock', 'brick', 'south', 'lawrence', 'weston', 'south', 'include', 'order']
Original Request: Any landscape construction and street occupation permits for {} and any properties adjacent to address on the southwest side just south of Lawrence Ave. W.; that relates in any way to the interlocking brick sidewalk.
Tokens prepared for LDA: ['landscape', 'construction', 'street', 'occupation', 'permit', 'property', 'adjacent', 'address', 'southwest', 'south', 'lawrence', 'relate', 'interlock', 'brick', 'sidewalk']
Original Request: All information pertaining to permits (past and present) at {} particularly #1998 012 886 BLD OOSR; dwelling conversion into 3 units. Record search from Jan. 1, 1997 to Aug. 6, 2014.
Tokens prepared for LDA: ['information', 'pertain', 'permit', 'present', 'particularly', 'dwell', 'conversion', 'record', 'search', 'january', 'august']
Original Request: Copy of red light camera recording at the intersection of Transit Rd. and Wilson Ave. on Jul. 30, 2014 at 4:06 p.m., in which a 2000 silver Audi, licence # {plate number removed} went through the red light and collided with a 2008 black Hyunda1, license # {plate number removed}
Tokens prepared for LDA: ['light', 'camera', 'record', 'intersection', 'transit', 'wilson', 'silver', 'licence', 'plate', 'remove', 'light', 'collide', 'black', 'hyunda1', 'license', 'plate', 'remove']
Original Request: Any and all records, including correspondence and variance reports, documents related to zoning review and permit acquisition for permit issued to {} from June 1, 2014 to present.
Tokens prepared for LDA: ['record', 'include', 'correspondence', 'variance', 'report', 'document', 'relate', 'review', 'permit', 'acquisition', 'permit', 'issue', 'present']
Original Request: Any and all documents, photos, videos, records, notes, e-mails, correspondence, memoranda, letters, policies and practices relating to the water main issue at {} on Jan. 7, 2013.
Tokens prepared for LDA: ['document', 'photo', 'video', 'record', 'correspondence', 'memorandum', 'letter', 'policy', 'practice', 'relate', 'water', 'issue', 'january']
Original Request: A copy of inspection report and any earlier report from ML&S for {}. The inspection was done by Mike Patterson on May 14, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'early', 'report', 'inspection', 'patterson']
Original Request: Identity of complainant relating to animal services complaint # A14-014498 relating to dog owned by {Owner's individual's } at {}. Records search from July 17, 2014 to Aug. 4, 2014.
Tokens prepared for LDA: ['identity', 'complainant', 'relate', 'animal', 'service', 'complaint', '014498', 'relate', 'owner', 'individual', 'record', 'search', 'august']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they pertain to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'pertain', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 that relates to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'relate', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014 as they relate to the sale of tobacco.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january', 'relate', 'tobacco']
Original Request: Record of any warnings, charges or convictions against {} from Jan. 1, 2009 to July 18, 2014.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'january']
Original Request: Record of any warnings, charges or convictions against {} operating as {company's } from Jan. 1, 2009 to July 18, 2014.
Tokens prepared for LDA: ['record', 'warning', 'charge', 'conviction', 'operate', 'company', 'january']
Original Request: All committee of adjustment, building permits, building, health and zoning violations and any other relevant documents pertaining to {}. Roll No. {number removed} Record search from Jan. 1, 1979 to Aug. 18, 2014.
Tokens prepared for LDA: ['committee', 'adjustment', 'build', 'permit', 'build', 'health', 'violation', 'relevant', 'document', 'pertain', 'remove', 'record', 'search', 'january', 'august']
Original Request: A copy of ML&S inspection report regarding use of compost without a lid at {}. Inspector, Mauro Calabrese. Record search to be from July 31 to Aug. 15, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'compost', 'inspector', 'mauro', 'calabrese', 'record', 'search', 'august']
Original Request: Record of contractors and contact information for road construction work completed from Markham Rd. to Scarborough Golf Club Rd. from Jan. 5, 2013 to Jan. 10, 2013.
Tokens prepared for LDA: ['record', 'contractor', 'contact', 'information', 'construction', 'complete', 'markham', 'scarborough', 'january', 'january']
Original Request: Record of contractors and contact information for road construction work completed from Markham Rd. to Scarborough Golf Club Rd. from Jan. 5, 2013 to Jan. 10, 2013.
Tokens prepared for LDA: ['record', 'contractor', 'contact', 'information', 'construction', 'complete', 'markham', 'scarborough', 'january', 'january']
Original Request: A copy of records regarding RFP 0612-12-0033, Apr. 13, 2012: 1. Evaluation results from the selection committee. 2. Proponent inspection reports for Choice Children's Catering Services Inc. and Yummy Catering Services.
Tokens prepared for LDA: ['record', 'regard', 'april', 'evaluation', 'result', 'selection', 'committee', 'proponent', 'inspection', 'report', 'choice', 'child', 'catering', 'services', 'yummy', 'catering', 'services']
Original Request: A copy of records regarding RFP 0613-08-0099 -Apr. 8, 2008: 1. Evaluation results from the selection committee. 2. Proponent inspection reports for Choice Children's Catering Services Inc. and Yummy Catering Services.
Tokens prepared for LDA: ['record', 'regard', 'evaluation', 'result', 'selection', 'committee', 'proponent', 'inspection', 'report', 'choice', 'child', 'catering', 'services', 'yummy', 'catering', 'services']
Original Request: A copy of approved permits for veranda enclosure at {} and the name of the building official which approved the plans. Record search 2004.
Tokens prepared for LDA: ['approve', 'permit', 'veranda', 'enclosure', 'build', 'official', 'approve', 'record', 'search']
Original Request: Copies of reports on field contamination at 693-767 Bathurst a.k.a (725 Bathurst Central Tech.) given to Toronto Public Health from 2012 to 2014 by Toronto District School Board.
Tokens prepared for LDA: ['copy', 'report', 'field', 'contamination', 'bathurst', 'a.k.a', 'bathurst', 'central', 'toronto', 'public', 'health', 'toronto', 'district', 'school', 'board']
Original Request: Record of water main maintenance specific to {} as well as the general vicinity including replacement, flushings, inspections and rehabilitation. Incident records and call reports.
Tokens prepared for LDA: ['record', 'water', 'maintenance', 'specific', 'general', 'vicinity', 'include', 'replacement', 'flush', 'inspection', 'rehabilitation', 'incident', 'record', 'report']
Original Request: A copy of home inspection notes for {} conducted by Richard Rampersad on May 23, 2014. Record search from May 22-23, 2014.
Tokens prepared for LDA: ['inspection', 'conduct', 'richard', 'rampersad', 'record', 'search']
Original Request: A copy of elevator investigation report for {}. 311 Ref. no. 2770286.
Tokens prepared for LDA: ['elevator', 'investigation', 'report', '2770286']
Original Request: A detailed copy of complaint record and officer's notes for {} from Aug. 1-18, 2014.
Tokens prepared for LDA: ['complaint', 'record', 'officer', 'august']
Original Request: Record of any e-mails, notes, letters and all communication between David Hains, John Fulton, Rocco LiCalzi, Pat Profiti, Ann Ulusoy, Jim Hart, Mark Lawson and Councillor Doucette and all outside parties (members of the public) about YOMTC Inc.
Tokens prepared for LDA: ['record', 'letter', 'communication', 'david', 'hains', 'fulton', 'rocco', 'licalzi', 'profiti', 'ulusoy', 'lawson', 'councillor', 'doucette', 'outside', 'party', 'member', 'public', 'yomtc']
Original Request: Copies of ML&S inspection reports for {} regarding: 1. Heating issues, inspector Michael Dicicco, 2013-2014. 2. Soap suds back up in kitchen sink, inspector, Judy Holland, as far back as possible to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'regard', 'heating', 'issue', 'inspector', 'michael', 'dicicco', 'kitchen', 'inspector', 'holland', 'possible', 'present']
Original Request: A copy of the snapshot or video of flooding which occurred on the DVP near or before the Richmond exit at approximately 6:00 pm on June 25, 2014.
Tokens prepared for LDA: ['snapshot', 'video', 'flood', 'occur', 'richmond', 'approximately']
Original Request: A copy of health inspection report for basement at {}.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'basement']
Original Request: A copy of building permit for {} from 1988 to 1989. Ref. #. 88-03603.
Tokens prepared for LDA: ['build', 'permit', '03603']
Original Request: A copy of application and correspondence on file pertaining to {}, permit no. 11-262624 from 2011 to present.
Tokens prepared for LDA: ['application', 'correspondence', 'pertain', 'permit', '262624', 'present']
Original Request: A copy of the inspection conclusion report for {} pertaining to tenant's complaint to the City in May/June 2014. Inspector, Christina Thomas.
Tokens prepared for LDA: ['inspection', 'conclusion', 'report', 'pertain', 'tenant', 'complaint', 'inspector', 'christina', 'thomas']
Original Request: Copies of any complaints or violations for {} made by tenants or issued by the City, pertaining to flooding which took place on July 8, 2013 and the lack of timely clean up.
Tokens prepared for LDA: ['copy', 'complaint', 'violation', 'tenant', 'issue', 'pertain', 'flood', 'place', 'timely', 'clean']
Original Request: Record of recreation program registration and spending (operating budget) for the Ultra Swim program from Jan. 1, 1999 to Jan. 1, 2014.
Tokens prepared for LDA: ['record', 'recreation', 'program', 'registration', 'spend', 'operate', 'budget', 'ultra', 'program', 'january', 'january']
Original Request: Record of the drawings and notes for {} regarding permit application 418174 (permit no. 98023570) and any other permits obtained for the afore mentioned property including; field review forms and the owner commitment from this application.
Tokens prepared for LDA: ['record', 'drawing', 'regard', 'permit', 'application', '418174', 'permit', '98023570', 'permit', 'obtain', 'afore', 'mention', 'property', 'include', 'field', 'review', 'owner', 'commitment', 'application']
Original Request: All reports and complaints and violations including any site inspections orvisit to {} from Public Health, ML&S, Transportation and Building from Jan. 1, 2005 to Aug. 20, 2014.
Tokens prepared for LDA: ['report', 'complaint', 'violation', 'include', 'inspection', 'orvisit', 'public', 'health', 'transportation', 'building', 'january', 'august']
Original Request: All reports and complaints and violations including any site inspections or visit to {} from Public Health, ML&S, Transportation and Building from Jan. 1, 2005 to Aug. 20, 2014.
Tokens prepared for LDA: ['report', 'complaint', 'violation', 'include', 'inspection', 'visit', 'public', 'health', 'transportation', 'building', 'january', 'august']
Original Request: Any and all reports relating to the water/sewer pipe failure at or near {} on or about March 1, 2014 including inspections and maintenance.
Tokens prepared for LDA: ['report', 'relate', 'water', 'sewer', 'failure', 'march', 'include', 'inspection', 'maintenance']
Original Request: A list of all businesses that have been licensed to {} in any unit number.
Tokens prepared for LDA: ['business', 'license']
Original Request: A copy of ML&S file no. 10100 24277118 and 10100 2873231 from Dec. 11, 2013 to Aug. 6, 2014.
Tokens prepared for LDA: ['10100', '24277118', '10100', '2873231', 'december', 'august']
Original Request: A copy of the traffic snapshots for Aug. 1, 2014 between 8.00 and 10.00 pm for Allen Road South between Sheppard Ave. W. and Hwy 401.
Tokens prepared for LDA: ['traffic', 'snapshot', 'august', '10.00', 'allen', 'south', 'sheppard']
Original Request: Total cost of the rebranding of Toronto Emergency Medical Services to Toronto Paramedic Services, including all costs involved but not limited to consultants fees, design fees, managers fee/salary, superintendents fees/salary, copyright fees etc.
Tokens prepared for LDA: ['total', 'rebranding', 'toronto', 'emergency', 'medical', 'services', 'toronto', 'paramedic', 'services', 'include', 'involve', 'limit', 'consultant', 'design', 'manager', 'salary', 'superintendent', 'salary', 'copyright']
Original Request: Report from 311 including claim number relating to a flat tire damage on May 16, 2014, and inspection report on the rocks placed by home owner at the S/E corner of {} on City property.
Tokens prepared for LDA: ['report', 'include', 'claim', 'relate', 'damage', 'inspection', 'report', 'place', 'owner', 'corner', 'property']
Original Request: A copy of Power of Attorney papers that {individual's } of {} submitted to remove {individual's } as POA for {individual's } of {}.
Tokens prepared for LDA: ['power', 'attorney', 'paper', 'individual', 'submit', 'remove', 'individual', 'individual']
Original Request: History of use for {} from 1945 to present.
Tokens prepared for LDA: ['history', 'present']
Original Request: History of use for {} from 1945 to present.
Tokens prepared for LDA: ['history', 'present']
Original Request: Copies of all engineering reports, letters and building notes for {} related to permit 10-142-537, from 2010, 2011, 2012 & 2013.
Tokens prepared for LDA: ['copy', 'engineer', 'report', 'letter', 'build', 'relate', 'permit']
Original Request: Record of all violations and orders issued to the entire building located at {} including suite 310, by property standards, fire and health departments from as far back as possible to present.
Tokens prepared for LDA: ['record', 'violation', 'order', 'issue', 'entire', 'build', 'locate', 'include', 'suite', 'property', 'standard', 'health', 'department', 'possible', 'present']
Original Request: A complete copy of file inspection records conducted at {} in relation to building report audit performed by the City on March 30, 2010, between March 30, 2010 and August 20, 2010.
Tokens prepared for LDA: ['complete', 'inspection', 'record', 'conduct', 'relation', 'build', 'report', 'audit', 'perform', 'march', 'march', 'august']
Original Request: A copy of building construction permits and fire records (regarding storage tanks, hazardous material storage, spills and emergency responses for {}.
Tokens prepared for LDA: ['build', 'construction', 'permit', 'record', 'regard', 'storage', 'hazardous', 'material', 'storage', 'spill', 'emergency', 'response']
Original Request: Copy of property standards file for {} pertaining to folder # 13264586 PRS OO IV from Nov. 14, 2013 to May 7, 2014. ML&S Officer A Cioffi.
Tokens prepared for LDA: ['property', 'standard', 'pertain', 'folder', '13264586', 'november', 'officer', 'cioffi']
Original Request: All information regarding file # B42231 from Jul. 1, 2014 to present.
Tokens prepared for LDA: ['information', 'regard', 'b42231', 'present']
Original Request: A complete copy of TAS file # 13-027880 regarding dog bite incident on Sept. 30, 2013 in which {individual's } was injured.
Tokens prepared for LDA: ['complete', '027880', 'regard', 'incident', 'september', 'individual', 'injure']
Original Request: A copy of video surveillance record from the front of Union Station, east entrance on Bay St., south of Front St. on Jan. 8, 2014 at 8:10 PM capturing a ticketing incident involving; a red and yellow Co-Op Taxi Cab (Toyota Camry).
Tokens prepared for LDA: ['video', 'surveillance', 'record', 'union', 'station', 'entrance', 'south', 'january', 'capture', 'ticket', 'incident', 'involve', 'yellow', 'toyota', 'camry']
Original Request: Copies of building inspection results for {} performed on Aug. 19, 2014 by Hanchor Sing. All documents related to tree declaration pertaining to permit 14 11466 BLD OO SR, submitted by engineer of insurance company sometime in Jan. 2014.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'result', 'perform', 'august', 'hanchor', 'document', 'relate', 'declaration', 'pertain', 'permit', '11466', 'submit', 'engineer', 'insurance', 'company', 'january']
Original Request: A copy of building documents for {} pertaining to permit No. 06 142770 DEM; 06 142776 BLD OO/BLD 01/HVA/PLB & 06 0147553 including: permit applications, inspection reports/ notes, correspondence of inspectors or other city staff.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'permit', '142770', '142776', '0147553', 'include', 'permit', 'application', 'inspection', 'reports/', 'correspondence', 'inspector', 'staff']
Original Request: A copy of all notes, communication and decisions made by ML&S with respect to the denial of vital services ref. # 2903015 and 2915645 from Aug. 20, 2014 to Aug. 28, 2014 {}
Tokens prepared for LDA: ['communication', 'decision', 'respect', 'denial', 'vital', 'service', '2903015', '2915645', 'august', 'august']
Original Request: Record of any requests for repairs of service regarding water issues, water main breaks etc. at {} during Jul. 2014.
Tokens prepared for LDA: ['record', 'request', 'repair', 'service', 'regard', 'water', 'issue', 'water', 'break']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property maintenance, property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard']
Original Request: A copy of health inspection report for {} conducted on Aug. 21, 2014.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'conduct', 'august']
Original Request: A copy of complaints records (B10027, B42215, B42559 & B42654) made against {individual's } including all officers' notes for each file. Record search to be from the date the file B10027 was issued to Aug. 28, 2014.
Tokens prepared for LDA: ['complaint', 'record', 'b10027', 'b42215', 'b42559', 'b42654', 'individual', 'include', 'officer', 'record', 'search', 'b10027', 'issue', 'august']
Original Request: All information regarding garage demolition at {} including all engineering and building inspection reports as well as other submissions made to Toronto Building showing inspector's sign off. Permit No. 12 114907 & 12 205.
Tokens prepared for LDA: ['information', 'regard', 'garage', 'demolition', 'include', 'engineer', 'build', 'inspection', 'report', 'submission', 'toronto', 'building', 'inspector', 'permit', '114907']
Original Request: A copy of report from Urban Forestry on the privately owned trees at {} including any applications for a permit to remove any trees above this address.
Tokens prepared for LDA: ['report', 'urban', 'forestry', 'privately', 'include', 'application', 'permit', 'remove', 'address']
Original Request: A copy of report from Urban Forestry on the privately owned trees at {} including any applications for a permit to remove any trees above this address.
Tokens prepared for LDA: ['report', 'urban', 'forestry', 'privately', 'include', 'application', 'permit', 'remove', 'address']
Original Request: All records, including but not limited to e-mails, memorandum, meeting minutes and handwritten notes related to a meeting held at City Hall concerning building permits for a new manufacturing facility at 1 Apollo Place on Oct. 31, 2011.
Tokens prepared for LDA: ['record', 'include', 'limit', 'memorandum', 'minute', 'handwritten', 'relate', 'concern', 'build', 'permit', 'manufacture', 'facility', 'apollo', 'place', 'october']
Original Request: Records from the Mayor's Office requested by Brian Kelcey (2014-00363) referring to possible use of Mayor's Office resources/staff for campaign purposes.
Tokens prepared for LDA: ['record', 'mayor', 'office', 'request', 'brian', 'kelcey', '00363', 'refer', 'possible', 'mayor', 'office', 'resource', 'staff', 'campaign', 'purpose']
Original Request: Record of video surveillance and still image capture (license plate #) of a white van that hit another vehicle and fled the scene on Sep. 1, 2014 between 2:20 and 2:30 PM, on Dundas St. W. (eastbound) and just under the overhead of the 427.
Tokens prepared for LDA: ['record', 'video', 'surveillance', 'image', 'capture', 'license', 'plate', 'white', 'vehicle', 'scene', 'september', 'dundas', 'eastbound', 'overhead']
Original Request: A copy of dog attack records which occurred on Aug. 3, 2014 in which {individual's } was the victim.
Tokens prepared for LDA: ['attack', 'record', 'occur', 'august', 'individual', 'victim']
Original Request: A copy of notes written my ML&S officer Christopher Pacheco regarding zoning file #14188357.\ for {}, Etobicoke.
Tokens prepared for LDA: ['write', 'officer', 'christopher', 'pacheco', 'regard', '14188357.\\', 'etobicoke']
Original Request: Copies of dispatcher's phone logs and/or paramedic's report to verify how many times and when the EMS were dispatched to {} from July 25, 2011 to Sept. 30, 2011.
Tokens prepared for LDA: ['copy', 'dispatcher', 'phone', 'and/or', 'paramedic', 'report', 'verify', 'dispatch', 'september']
Original Request: A copy of "letter of intent" which was submitted with permit application for {}.
Tokens prepared for LDA: ['letter', 'intent', 'submit', 'permit', 'application']
Original Request: A copy of investigation report and final outcome for initial witness report filed by {individual's }, activity # A14-022345.
Tokens prepared for LDA: ['investigation', 'report', 'final', 'outcome', 'initial', 'witness', 'report', 'individual', 'activity', '022345']
Original Request: Records regarding RFP 0613-14-0035 of June 17, 2014: 1. Evaluation results from the selection committee. 2. Proponent inspection reports for First Choice Children's Catering and Yummy Catering Services Inc.
Tokens prepared for LDA: ['record', 'regard', 'evaluation', 'result', 'selection', 'committee', 'proponent', 'inspection', 'report', 'choice', 'child', 'catering', 'yummy', 'catering', 'services']
Original Request: All correspondence including e-mails, documents and memos, between Councillors: Mark Grimes, Giorgio Mammoliti, Karen Stintz, Joe Mihevc Mayor Rob Ford and representatives of Maple Leaf Sports & Entertainment.
Tokens prepared for LDA: ['correspondence', 'include', 'document', 'councillor', 'grime', 'giorgio', 'mammoliti', 'karen', 'stintz', 'mihevc', 'mayor', 'representative', 'maple', 'sport', 'entertainment']
Original Request: A copy of "Letter of Undertaking" pertaining to permit (most recent) issuance at {}.
Tokens prepared for LDA: ['letter', 'undertaking', 'pertain', 'permit', 'recent', 'issuance']
Original Request: A complete copy of building file for {} related to permit 04-122672 issued in 2004.
Tokens prepared for LDA: ['complete', 'build', 'relate', 'permit', '122672', 'issue']
Original Request: Record of the names of the persons found to be involved in fire incident at {} including, the name and contact information of the property's owner. Record search from May 2, 2015 to May 3, 2015.
Tokens prepared for LDA: ['record', 'person', 'involve', 'incident', 'include', 'contact', 'information', 'property', 'owner', 'record', 'search']
Original Request: All documents associated with {} under permit # 14266373 including, e-mail correspondence between Second City; Equinox; and Design Structural Engineers Firms.
Tokens prepared for LDA: ['document', 'associate', 'permit', '14266373', 'include', 'correspondence', 'second', 'equinox', 'design', 'structural', 'engineer', 'firm']
Original Request: A copy of specific City Planning and Toronto Building files for {}: see full text description -
Tokens prepared for LDA: ['specific', 'planning', 'toronto', 'building', 'description']
Original Request: A copy of site plan approvals and building permits related to all wheelchair ramps on the property of {}. Record search from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['approval', 'build', 'permit', 'relate', 'wheelchair', 'property', 'record', 'search', 'january', 'present']
Original Request: Record of any pipe replacement to water lines servicing house at {}.
Tokens prepared for LDA: ['record', 'replacement', 'water', 'service', 'house']
Original Request: A complete copy of building and planning files for {.} in relation to permit # 11298767 BLD 00 SR, 11 298767 HVA & 11 298767 PLB. Record search from the time of permit issuance to present.
Tokens prepared for LDA: ['complete', 'build', 'relation', 'permit', '11298767', '298767', '298767', 'record', 'search', 'permit', 'issuance', 'present']
Original Request: A complete copy of building and planning documents related to renovations at {} from 2012 to present.
Tokens prepared for LDA: ['complete', 'build', 'document', 'relate', 'renovation', 'present']
Original Request: Written verification of any outstanding (open) building permits for Condominium TSCC 2467. building permits associated with this building were all taken out under the address of {}.
Tokens prepared for LDA: ['write', 'verification', 'outstanding', 'build', 'permit', 'condominium', 'build', 'permit', 'associate', 'build', 'address']
Original Request: A copy of order to comply issued to {} by Toronto Building Inspection. Date of compliance is May 1 2016.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'toronto', 'building', 'inspection', 'compliance']
Original Request: All e-mail correspondence from Doug Ford to any City Councillor or the Mayor's Office in relation to the replacement of former Councillor Rob Ford. Record search from Mar. 22, 2016 to Apr. 1, 2016.
Tokens prepared for LDA: ['correspondence', 'councillor', 'mayor', 'office', 'relation', 'replacement', 'councillor', 'record', 'search', 'march', 'april']
Original Request: Record of complaint made by {} to ML&S regarding {}., on Sep. 4, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'september']
Original Request: A copy of animal services and public health files related to dog attack incident involving {}, who was attacked on Jul. 14, 2015 at {.}. Information on the identity of the dog's owners, also required.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'relate', 'attack', 'incident', 'involve', 'attack', 'information', 'identity', 'owner', 'require']
Original Request: A copy of animal services and public health files related to dog attack incident involving {}, who was attacked on Nov. 16, 2015 by a dog owned by {} of {}.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'relate', 'attack', 'incident', 'involve', 'attack', 'november']
Original Request: A copy of animal services and public health files related to dog attack incident involving {}, who was attacked on Jun. 6, 2015 at {}.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'relate', 'attack', 'incident', 'involve', 'attack']
Original Request: A copy of building inspectors' notes and reports (full details); any work orders or change requests, permits; any change requests to permits for {}. Record search from Jan. 1, 2013 to Jan. 1, 2016.
Tokens prepared for LDA: ['build', 'inspector', 'report', 'order', 'change', 'request', 'permit', 'change', 'request', 'permit', 'record', 'search', 'january', 'january']
Original Request: A copy of 1984 Land Agreement Undertaking for MTCC 905.
Tokens prepared for LDA: ['agreement', 'undertaking']
Original Request: A copy of Public Health inspection report following investigation at {} on Apr. 4, 2016. Requester later clarified that the inspection was done on March 14.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'follow', 'investigation', 'april', 'requester', 'clarify', 'inspection', 'march']
Original Request: Copies of Toronto Building and City Planning files related to {} including permits, inspection notes, approvals, authorization for demolition-excavation, construction etc. Record search from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'planning', 'relate', 'include', 'permit', 'inspection', 'approval', 'authorization', 'demolition', 'excavation', 'construction', 'record', 'search', 'january', 'present']
Original Request: A complete copy of ML&S investigative file: ref. # A14-011990 in relation to dog bite incident involving {} on May 27, 2014.
Tokens prepared for LDA: ['complete', 'investigative', '011990', 'relation', 'incident', 'involve']
Original Request: Water maintenance records pertaining to {} following sewer failure/back-up which occurred at or near the property on Jun. 17, 2014: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'failure', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s']
Original Request: Date for which final inspection was performed and the permit was closed for {}. Permit No. 15 146931 BLD 00 SR.
Tokens prepared for LDA: ['final', 'inspection', 'perform', 'permit', 'close', 'permit', '146931']
Original Request: The Walkover Inspection Reports for the section of McIntosh St., starting from Highview Ave. and ending at Claremore Ave./Cliffside Dr., Scarborough; Annual Reports for the period 2009 to 2014.
Tokens prepared for LDA: ['walkover', 'inspection', 'report', 'section', 'mcintosh', 'start', 'highview', 'claremore', 'ave./cliffside', 'scarborough', 'annual', 'report', 'period']
Original Request: The Walkover Inspection Reports for the section of McIntosh St., starting from Highview Ave. and ending at Claremore Ave./Cliffside Dr., Scarborough; Annual Reports for the period 2009 to 2014.
Tokens prepared for LDA: ['walkover', 'inspection', 'report', 'section', 'mcintosh', 'start', 'highview', 'claremore', 'ave./cliffside', 'scarborough', 'annual', 'report', 'period']
Original Request: Name of company who replaced the sewage pipes at {} from Jan. 1, 2005 to Jan. 1, 2007.
Tokens prepared for LDA: ['company', 'replace', 'sewage', 'january', 'january']
Original Request: Name of company who replaced the sewage pipes at {.} from Jan. 1, 2005 to Jan. 1, 2007.
Tokens prepared for LDA: ['company', 'replace', 'sewage', 'january', 'january']
Original Request: Record from 311 and Toronto Water in terms of what work was completed to the water services supply at {.} which is a corner property. Record search from Sept. 30, 2014 to Dec. 15, 2014.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'complete', 'water', 'service', 'supply', 'corner', 'property', 'record', 'search', 'september', 'december']
Original Request: All building permit drawings, property standards file, fire inspection notes and records, committee of adjustment records for {}.
Tokens prepared for LDA: ['build', 'permit', 'drawing', 'property', 'standard', 'inspection', 'record', 'committee', 'adjustment', 'record']
Original Request: Insurance information including insurance company, address, telephone and other contact information for insurer of Toronto taxicab license # A1333, vehicle plate # {plate removed} owned by {} from 2015 to current date.
Tokens prepared for LDA: ['insurance', 'information', 'include', 'insurance', 'company', 'address', 'telephone', 'contact', 'information', 'insurer', 'toronto', 'taxicab', 'license', 'a1333', 'vehicle', 'plate', 'plate', 'remove', 'current']
Original Request: A copy of the entire Committee of Adjustment file for {} including drawings, survey and pictures. Also, please include the name and address of the previous owner.
Tokens prepared for LDA: ['entire', 'committee', 'adjustment', 'include', 'drawing', 'survey', 'picture', 'include', 'address', 'previous', 'owner']
Original Request: A copy of records previously disclosed by the City of Toronto under MFIPPA for AG-2015-01014.
Tokens prepared for LDA: ['record', 'previously', 'disclose', 'toronto', 'mfippa', 'ag-2015', '01014']
Original Request: Provide copies of any documents, including contracts, funding agreements, e-mails, etc. regarding the funding provided to Environmental Defence in 2015 as reported to the Office of the Commissioner of Lobbying of Canada: etc.
Tokens prepared for LDA: ['provide', 'document', 'include', 'contract', 'agreement', 'regard', 'provide', 'environmental', 'defence', 'report', 'office', 'commissioner', 'lobby', 'canada']
Original Request: From the Schedule 1 Designer Information; Application to Construct or Demolish and the Plumbing Data Sheet forms for Toronto Building, the following information is requested for the geographical areas of Rosedale and Forest Hill.
Tokens prepared for LDA: ['schedule', 'designer', 'information', 'application', 'construct', 'demolish', 'plumbing', 'sheet', 'toronto', 'building', 'follow', 'information', 'request', 'geographical', 'rosedale', 'forest']
Original Request: A copy of ML&S report on file 16-101956 PRS 00 IR concerning {}.
Tokens prepared for LDA: ['report', '101956', 'concern']
Original Request: Copies of the following building and forestry documents in relation to {}: permits, variances, exemptions, TRCA and Urban Forestry permits/exemptions. Record search from 2007 to present.
Tokens prepared for LDA: ['copy', 'follow', 'build', 'forestry', 'document', 'relation', 'permit', 'variance', 'exemption', 'urban', 'forestry', 'permit', 'exemption', 'record', 'search', 'present']
Original Request: All records (paper and electronic) related to the planning, logistics, organization and funding of the lying in repose, visitation and funeral of Councillor Rob Ford, including budget discussions and reimbursement by the Ford family for costs.
Tokens prepared for LDA: ['record', 'paper', 'electronic', 'relate', 'logistic', 'organization', 'repose', 'visitation', 'funeral', 'councillor', 'include', 'budget', 'discussion', 'reimbursement', 'family']
Original Request: A copy of 311 service request document in relation to call made on April 7, 2016 at 06:00 hrs. Ref. # 3949706 concerning a pothole in or around the Bathurst / Eglinton Ave W area. Including, all other calls the division received reporting the same.
Tokens prepared for LDA: ['service', 'request', 'document', 'relation', 'april', '06:00', '3949706', 'concern', 'pothole', 'bathurst', 'eglinton', 'include', 'division', 'receive', 'report']
Original Request: Copies of the following building and forestry documents in relation to {}: permits, variances, exemptions, TRCA and Urban Forestry permits/exemptions. Record search from 2012 to present.
Tokens prepared for LDA: ['copy', 'follow', 'build', 'forestry', 'document', 'relation', 'permit', 'variance', 'exemption', 'urban', 'forestry', 'permit', 'exemption', 'record', 'search', 'present']
Original Request: A written report on the condition of the trees for the two trees that were recently cut down on the east corner of 3555 Danforth Ave. These two trees were infested with Emerald Ash Boring disease.
Tokens prepared for LDA: ['write', 'report', 'condition', 'recently', 'corner', 'danforth', 'infest', 'emerald', 'boring', 'disease']
Original Request: All records of complaints filed against {} for issue on amplified band music. One of the complaint reference # is 3850635 made on Feb. 22.. Please provide all complaints made and notes from each phone call from Jan. 1 to April 9, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'issue', 'amplify', 'music', 'complaint', 'reference', '3850635', 'february', 'provide', 'complaint', 'phone', 'january', 'april']
Original Request: Any and all records pertaining to {} including but not limited to documents related to building soffits, building plans and drawings, scope of work, any applications for permits, and water and sewer system records.
Tokens prepared for LDA: ['record', 'pertain', 'include', 'limit', 'document', 'relate', 'build', 'soffit', 'build', 'drawing', 'scope', 'application', 'permit', 'water', 'sewer', 'record']
Original Request: A record of any complaints made against ML&S Officer David Williams; specifically any complaints in which he pulled over or attempted to pull over vehicles on the 400 series of highways from 2012 to 2016.
Tokens prepared for LDA: ['record', 'complaint', 'officer', 'david', 'williams', 'specifically', 'complaint', 'attempt', 'vehicle', 'series', 'highway']
Original Request: All documents related to 696 Yonge St. specifically pertaining to signage from Jan. 1, 1995 to present.
Tokens prepared for LDA: ['document', 'relate', 'yonge', 'specifically', 'pertain', 'signage', 'january', 'present']
Original Request: A copy of building folder for {}, file # 083694.
Tokens prepared for LDA: ['build', 'folder', '083694']
Original Request: A copy of ML&S folder # 3755484 from Dec. 28, 2015 to March 16, 2016 for {.}.
Tokens prepared for LDA: ['folder', '3755484', 'december', 'march']
Original Request: Any information and/or work orders pertaining to {.} as it relates to balcony replacement or repairs; tuck pointing; by-law infractions; landlord fines from Jan. 2009 to present.
Tokens prepared for LDA: ['information', 'and/or', 'order', 'pertain', 'relate', 'balcony', 'replacement', 'repair', 'point', 'infraction', 'landlord', 'january', 'present']
Original Request: All information and documents pertaining to summons # 74005 and 74006 regarding a dog biting another domestic dog.
Tokens prepared for LDA: ['information', 'document', 'pertain', 'summon', '74005', '74006', 'regard', 'domestic']
Original Request: Copies of permits and permit applications for demolition, excavation and construction work at {} from 2011 to Mar. 31, 2016.
Tokens prepared for LDA: ['copy', 'permit', 'permit', 'application', 'demolition', 'excavation', 'construction', 'march']
Original Request: Record of complaints regarding the failure to sign all four corners at the intersection of Prince Edward Dr. N. and King Georges Rd., with four way stop signs.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'failure', 'corner', 'intersection', 'prince', 'edward', 'george']
Original Request: A copy of Municipal Licensing & Standards file relates to work order issued to {} for repairs to the parking area, following a slip and fall incident/complaint involving {} on Sep. 1, 2015.
Tokens prepared for LDA: ['municipal', 'license', 'standard', 'relate', 'order', 'issue', 'repair', 'follow', 'incident', 'complaint', 'involve', 'september']
Original Request: A copy of ML&S and Toronto Police complaints and records for the entire building at {} from Nov. 2013 to present.
Tokens prepared for LDA: ['toronto', 'police', 'complaint', 'record', 'entire', 'build', 'november', 'present']
Original Request: Copies of all notices of violation, notes and letters pertaining to {} from May 1, 2015 to April 11, 2016.
Tokens prepared for LDA: ['copy', 'notice', 'violation', 'letter', 'pertain', 'april']
Original Request: The number of taxi licenses issued to Co-Op taxi for the last 12 months to present, including names of owners, dates issued.
Tokens prepared for LDA: ['license', 'issue', 'month', 'present', 'include', 'owner', 'issue']
Original Request: How many licenses issued to Crown Taxi License # B03-4311583 for the last 12 months to present, including names of owners, dates issued.
Tokens prepared for LDA: ['license', 'issue', 'crown', 'license', '4311583', 'month', 'present', 'include', 'owner', 'issue']
Original Request: Annual rental rates and square footage data for all retail spaces operating within the Toronto Transit Commission's subway or light rail stations.
Tokens prepared for LDA: ['annual', 'rental', 'square', 'footage', 'datum', 'retail', 'space', 'operate', 'toronto', 'transit', 'commission', 'subway', 'light', 'station']
Original Request: Police records of noise complaints regarding {} from Feb. 1, 2016 to April 12, 2016.
Tokens prepared for LDA: ['police', 'record', 'noise', 'complaint', 'regard', 'february', 'april']
Original Request: A copy of Municipal Licensing & Standards report related to a dog attack incident involving a Beagle and 2 Pit Bulls on Mar. 4, 2016. ML&S office - Jerry Higgins, badge # 252. Record search from Mar. 4, 2016 to Mar. 5, 2016.
Tokens prepared for LDA: ['municipal', 'license', 'standard', 'report', 'relate', 'attack', 'incident', 'involve', 'beagle', 'bull', 'march', 'office', 'jerry', 'higgins', 'badge', 'record', 'search', 'march', 'march']
Original Request: A copy of animal services and public health files related to dog attack incident involving {}, who was attacked on Oct. 12, 2015 at {}.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'relate', 'attack', 'incident', 'involve', 'attack', 'october']
Original Request: A copy of animal services and public health files related to dog attack incident involving {}, who was attacked on Feb. 28, 2016 at {}.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'relate', 'attack', 'incident', 'involve', 'attack', 'february']
Original Request: A copy of complaint report and notes regarding Animal Services investigation into the treatment of a dog owned by {} of {}.
Tokens prepared for LDA: ['complaint', 'report', 'regard', 'animal', 'services', 'investigation', 'treatment']
Original Request: A copy of violation order issued by Toronto Fire to the owner of {} on April 4, 2016 including any notes detailing the investigation and findings.
Tokens prepared for LDA: ['violation', 'order', 'issue', 'toronto', 'owner', 'april', 'include', 'investigation', 'finding']
Original Request: A copy of any record which indicates the actual date of build for home located at {} formerly, called Lee Avenue. Record search from as far back as possible.
Tokens prepared for LDA: ['record', 'indicate', 'actual', 'build', 'locate', 'avenue', 'record', 'search', 'possible']
Original Request: A copy of inspection report into complaint of odor in the basement of {}, ref. # 3937691. Record search from Mar. 31, 2016 to present.
Tokens prepared for LDA: ['inspection', 'report', 'complaint', 'basement', '3937691', 'record', 'search', 'march', 'present']
Original Request: Copies of all confidential information, releasable by the City Solicitor in relation to Ref. No. 14 169650 NNY 26 OZ dated Feb. 1, 2016 for 146 and150 Laird Drive - Zoning Amendment - Request for Direction Report - OMB.
Tokens prepared for LDA: ['copy', 'confidential', 'information', 'releasable', 'solicitor', 'relation', '169650', 'february', 'and150', 'laird', 'drive', 'zoning', 'amendment', 'request', 'direction', 'report']
Original Request: Copies of all municipal violation records issued against property located at 553 Church St., in relation to noise, overcrowding, misuse of exits and entrances etc. Record search from Jan. 1, 2013 to Apr. 13, 2016.
Tokens prepared for LDA: ['copy', 'municipal', 'violation', 'record', 'issue', 'property', 'locate', 'church', 'relation', 'noise', 'overcrowd', 'misuse', 'entrance', 'record', 'search', 'january', 'april']
Original Request: Copies of all municipal violation records issued against property located at 553 Church St., in relation to noise, overcrowding, misuse of exits and entrances etc. Record search from Jan. 1, 2013 to Apr. 13, 2016.
Tokens prepared for LDA: ['copy', 'municipal', 'violation', 'record', 'issue', 'property', 'locate', 'church', 'relation', 'noise', 'overcrowd', 'misuse', 'entrance', 'record', 'search', 'january', 'april']
Original Request: A complete copy of building file for {.} from Jan. 1, 2014 to present, excluding building plan drawings.
Tokens prepared for LDA: ['complete', 'build', 'january', 'present', 'exclude', 'build', 'drawing']
Original Request: A copy of water flow test result for {} including documents related to the current pressure flow and whether it meets the minimum requirement. Record search from Nov. 1, 2015 to Nov. 30, 2015.
Tokens prepared for LDA: ['water', 'result', 'include', 'document', 'relate', 'current', 'pressure', 'minimum', 'requirement', 'record', 'search', 'november', 'november']
Original Request: Investigative report by {}, {}, into the breach of confidentiality during the investigation by {} regarding Toronto fire fighter {}.
Tokens prepared for LDA: ['investigative', 'report', 'breach', 'confidentiality', 'investigation', 'regard', 'toronto', 'fighter']
Original Request: All Toronto Fire records pertaining to {} in relation to complaint investigations.
Tokens prepared for LDA: ['toronto', 'record', 'pertain', 'relation', 'complaint', 'investigation']
Original Request: All available records pertaining to fire inspection conducted at {} in April 2016. This includes but is not limited to: any notices of violation, compliance requirements, inspector notes, overall reports, or any other documents.
Tokens prepared for LDA: ['available', 'record', 'pertain', 'inspection', 'conduct', 'april', 'include', 'limit', 'notice', 'violation', 'compliance', 'requirement', 'inspector', 'overall', 'report', 'document']
Original Request: Copies of inspection reports for {} from Toronto Fire Services, Toronto Building & Toronto Water. Record search from May 12, 2013 to April 8, 2016.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'toronto', 'services', 'toronto', 'building', 'toronto', 'water', 'record', 'search', 'april']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, fences, property standards, work orders, deficiency notices, violations etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice', 'violation']
Original Request: Copies of updated files pertaining to incidents and/or reports at the Rothbart Centre for Pain Care, located at 4646 Dufferin St., Unit #9, including but not limited to statements, notes, photographs, diagrams and reports etc.
Tokens prepared for LDA: ['copy', 'update', 'pertain', 'incident', 'and/or', 'report', 'rothbart', 'centre', 'locate', 'dufferin', 'include', 'limit', 'statement', 'photograph', 'diagram', 'report']
Original Request: Copies of any building permits, inspection reports, work orders, by-law notices, zoning or building infractions related to {}. Record search Jan. 1, 2000 to Apr. 18, 2016.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'report', 'order', 'notice', 'build', 'infraction', 'relate', 'record', 'search', 'january', 'april']
Original Request: Copies of Animal Services (ref. # A16-005818) and Toronto Public Health (ref. #10555249-1-2761) reports in relation to investigation of dog complaint regarding dog Harry, owned by {} of {}.
Tokens prepared for LDA: ['copy', 'animal', 'services', '005818', 'toronto', 'public', 'health', '10555249', 'report', 'relation', 'investigation', 'complaint', 'regard', 'harry']
Original Request: A copy of fire inspection report for {}. Record search from Apr. 1-15, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'april']
Original Request: Copies of building, HVAC and plumbing inspection notes for {} in relation to permit # 06-199220, including a copy of the vibration noise report.
Tokens prepared for LDA: ['copy', 'build', 'plumb', 'inspection', 'relation', 'permit', '199220', 'include', 'vibration', 'noise', 'report']
Original Request: 1. Copies of winter maintenance logs that would show that salting operations were deployed on January 29, 2013 to clear sidewalks for the area bordered by Steeles, Dufferin, Wilson/York Mills, and Leslie.
Tokens prepared for LDA: ['copy', 'winter', 'maintenance', 'operation', 'deploy', 'january', 'clear', 'sidewalk', 'border', 'steele', 'dufferin', 'wilson', 'mills', 'leslie']
Original Request: All permit and inspection records on file for development at {} including structural, mechanical, electrical, plumbing and heritage conservation related documents, correspondence an notes.
Tokens prepared for LDA: ['permit', 'inspection', 'record', 'development', 'include', 'structural', 'mechanical', 'electrical', 'plumb', 'heritage', 'conservation', 'relate', 'document', 'correspondence']
Original Request: The following records are requested from the 519 Church St. Community Centre and Toronto Parks, Forestry and Recreation: 1. Records produced in response to my letter of 2015/08/2O to Howie Dayton, Parks and Recreation,
Tokens prepared for LDA: ['follow', 'record', 'request', 'church', 'community', 'centre', 'toronto', 'parks', 'forestry', 'recreation', 'record', 'produce', 'response', 'letter', '2015/08/2o', 'howie', 'dayton', 'parks', 'recreation']
Original Request: Record of the complete maintenance and repair work, done in the vicinity of and/or all sewers connected to property located at 105 Wilson Ave., - Armour Heights Presbyterian Church. Record search from April 24, 2015 to present.
Tokens prepared for LDA: ['record', 'complete', 'maintenance', 'repair', 'vicinity', 'and/or', 'sewer', 'connect', 'property', 'locate', 'wilson', 'armour', 'heights', 'presbyterian', 'church', 'record', 'search', 'april', 'present']
Original Request: Copies of all plans and drawings from Committee of Adjustment files for {} dated Nov. 2, 1988.
Tokens prepared for LDA: ['copy', 'drawing', 'committee', 'adjustment', 'november']
Original Request: Copies of all plans and drawings from Committee of Adjustment files for {} dated Sep. 30, 1980.
Tokens prepared for LDA: ['copy', 'drawing', 'committee', 'adjustment', 'september']
Original Request: All documents related to request for curb repair at {} ref. # 3962686.
Tokens prepared for LDA: ['document', 'relate', 'request', 'repair', '3962686']
Original Request: A copy of work order or any other document indicating the date and time of - common stairwell fire escape at {} was cut. Record search from Nov. 1, 2015 to Nov. 29, 2015.
Tokens prepared for LDA: ['order', 'document', 'indicate', 'common', 'stairwell', 'escape', 'record', 'search', 'november', 'november']
Original Request: (1) All records in possession the City pertaining to the buildings and structures located on {}, including any agreements, decisions, permits, notices and plans;
Tokens prepared for LDA: ['record', 'possession', 'pertain', 'building', 'structure', 'locate', 'include', 'agreement', 'decision', 'permit', 'notice']
Original Request: An updated electronic .txt copy of the addresses and ownership details of all of the registered clothing drop-box locations in Toronto. Record search from Nov. 2015 to present.
Tokens prepared for LDA: ['update', 'electronic', 'address', 'ownership', 'register', 'clothe', 'location', 'toronto', 'record', 'search', 'november', 'present']
Original Request: Record of the "reason for decision" in the case of all Building Renovator's Licenses applications and applications for renewal from Jan. 1, 2009 to 2011.
Tokens prepared for LDA: ['record', 'reason', 'decision', 'building', 'renovator', 'license', 'application', 'application', 'renewal', 'january']
Original Request: Access to information relating to the Agreement between the Toronto Transit Commission (TTC) and Pattison Outdoor Advertising (hereinafter referred to as the 'Company') in response to Toronto Transit Commission RFP P01DR11034.
Tokens prepared for LDA: ['access', 'information', 'relate', 'agreement', 'toronto', 'transit', 'commission', 'pattison', 'outdoor', 'advertising', 'hereinafter', 'refer', 'company', 'response', 'toronto', 'transit', 'commission', 'p01dr11034']
Original Request: Any and all zoning, building applications, plans, surveys, revision documents etc. for {} including correspondence and e-mails between the owner of the property and City divsions (zoning, planning urban forestry and property standards) etc.
Tokens prepared for LDA: ['build', 'application', 'survey', 'revision', 'document', 'include', 'correspondence', 'owner', 'property', 'divsions', 'urban', 'forestry', 'property', 'standard']
Original Request: Any and all zoning, building applications, plans, surveys, revision documents, correspondence etc. for {} which relate to the transfer of zoning application or zoning permit.
Tokens prepared for LDA: ['build', 'application', 'survey', 'revision', 'document', 'correspondence', 'relate', 'transfer', 'application', 'permit']
Original Request: Document identifying the 'builder' of residential property located at {}.
Tokens prepared for LDA: ['document', 'identify', 'builder', 'residential', 'property', 'locate']
Original Request: A complete copy of file in relation to the Liberty Grand Night Club a.k.a Liberty Grand Entertainment Complex including permits, applications, correspondence, 311 call logs, investigation reports, insurance certificate, warning notices, orders, health and
Tokens prepared for LDA: ['complete', 'relation', 'liberty', 'grand', 'night', 'a.k.a', 'liberty', 'grand', 'entertainment', 'complex', 'include', 'permit', 'application', 'correspondence', 'investigation', 'report', 'insurance', 'certificate', 'notice', 'order', 'health']
Original Request: All records related to building permit no. 14-252507 for {}.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', '252507']
Original Request: A complete copy of building file for {}
Tokens prepared for LDA: ['complete', 'build']
Original Request: A complete copy of investigative and complaint records and any other correspondence pertaining to {} from Toronto Public Health and Municipal Licensing and Standards.
Tokens prepared for LDA: ['complete', 'investigative', 'complaint', 'record', 'correspondence', 'pertain', 'toronto', 'public', 'health', 'municipal', 'license', 'standard']
Original Request: Record of any water line upgrades at or leading (supplying) the property line of {} specifically, with ¾ inch copper pipes.
Tokens prepared for LDA: ['record', 'water', 'upgrade', 'supply', 'property', 'specifically', 'copper']
Original Request: 1. Whether there are any trees or plants on the property or in the vicinity of {} that are protected, endangered, hazardous or regulated under the provisions of municipal by-laws or have been have been designated etc.
Tokens prepared for LDA: ['plant', 'property', 'vicinity', 'protect', 'endanger', 'hazardous', 'regulate', 'provision', 'municipal', 'designate']
Original Request: 1. Whether there are any trees or plants on the property or in the vicinity of {} that are protected, endangered, hazardous or regulated under the provisions of municipal by-laws or have been have been designated etc.
Tokens prepared for LDA: ['plant', 'property', 'vicinity', 'protect', 'endanger', 'hazardous', 'regulate', 'provision', 'municipal', 'designate']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered to the pr
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Copies of all orders, report and inspection records associated with {} under the following permit numbers: 96017362 BLD 00 SR (former permit 386791) 37882 (B) 990 14135955 UNP 00 V1 Apr. 1, 2014 10221886 UNS 00 V1 Jul. 16, 2010
Tokens prepared for LDA: ['copy', 'order', 'report', 'inspection', 'record', 'associate', 'follow', 'permit', 'number', '96017362', 'permit', '386791', '37882', '14135955', 'april', '10221886']
Original Request: All records held in any form, from ML&S concerning marijuana dispensaries and how the city might respond to the increase in such dispensaries. This includes, but is not limited to, staff reports, draft reports, e-mails, memoranda, etc.
Tokens prepared for LDA: ['record', 'concern', 'marijuana', 'dispensary', 'respond', 'increase', 'dispensary', 'include', 'limit', 'staff', 'report', 'draft', 'report', 'memorandum']
Original Request: Copies of inspection notes pertaining to addition renovation at {} including HVAC plans. Record search from 2004 to 2014.
Tokens prepared for LDA: ['copy', 'inspection', 'pertain', 'addition', 'renovation', 'include', 'record', 'search']
Original Request: All files for {}, North York which includes building inspection report, fire safety report, property standard report.
Tokens prepared for LDA: ['north', 'include', 'build', 'inspection', 'report', 'safety', 'report', 'property', 'standard', 'report']
Original Request: A copy of animal complaint report for event # 2015-2091330, from Dec. 6, 2015 to Dec. 15, 2015.
Tokens prepared for LDA: ['animal', 'complaint', 'report', 'event', '2091330', 'december', 'december']
Original Request: A copy of photos and ML&S file for {} from 2013-2014.
Tokens prepared for LDA: ['photo']
Original Request: A copy of the transcription of the handwritten Animal Services incident report for Activity No. 13-016927. The incident date was Juy 8, 2013 and it related to {}.
Tokens prepared for LDA: ['transcription', 'handwritten', 'animal', 'services', 'incident', 'report', 'activity', '016927', 'incident', 'relate']
Original Request: All policies, procedures, practice guidelines, and other like documents of the Property Standards Dept. of Toronto Municipal Licensing and Standards, including all policies currently in effect, and all policies issued from 2010 to present.
Tokens prepared for LDA: ['policy', 'procedure', 'practice', 'guideline', 'document', 'property', 'standard', 'toronto', 'municipal', 'license', 'standard', 'include', 'policy', 'currently', 'effect', 'policy', 'issue', 'present']
Original Request: Records relating to {} from Public Health. Was a Personal Service Setting (PSS) license issued and when? Were there any annual health inspections done for Body Safe Program and the daet the last one was done?
Tokens prepared for LDA: ['record', 'relate', 'public', 'health', 'personal', 'service', 'setting', 'license', 'issue', 'annual', 'health', 'inspection', 'program']
Original Request: Entire file on building permit # 13 252114 BLD 01 NH for {}, Etobicoke, from June 1, 2014 to April 22, 2016.
Tokens prepared for LDA: ['entire', 'build', 'permit', '252114', 'etobicoke', 'april']
Original Request: All records of complaint including written statements, against dog Deisel, owned by {} who resides at {}; property owned by {}.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'write', 'statement', 'deisel', 'reside', 'property']
Original Request: All comment documents and final permits issued for the injury or removal of tree from {}. Copies of any demolition and building permits issued for the property from 2007 to present.
Tokens prepared for LDA: ['comment', 'document', 'final', 'permit', 'issue', 'injury', 'removal', 'copy', 'demolition', 'build', 'permit', 'issue', 'property', 'present']
Original Request: A copy of fire inspection report for {}.
Tokens prepared for LDA: ['inspection', 'report']
Original Request: Any e-mails or other messages received or sent by Siri Agrell concerning Black History Month. Record search from Jan. 1, 2016 to Apr 25, 2016.
Tokens prepared for LDA: ['message', 'receive', 'agrell', 'concern', 'black', 'history', 'month', 'record', 'search', 'january']
Original Request: Record listing all building permits for any address in Toronto issued from January 1, 2014 to current date, April 25, 2016, to "Capital Construction and Project Management".
Tokens prepared for LDA: ['record', 'build', 'permit', 'address', 'toronto', 'issue', 'january', 'current', 'april', 'capital', 'construction', 'project', 'management']
Original Request: All building permits issued in 2014, 2015 and 2016 to date for {}.
Tokens prepared for LDA: ['build', 'permit', 'issue']
Original Request: All records related to Building Permit issued in 2014 for {}.
Tokens prepared for LDA: ['record', 'relate', 'building', 'permit', 'issue']
Original Request: All documents in the possession of the City of Toronto concerning 300 Pacific Avenue, Toronto. Specifically, all drawings, plans, correspondence surveys, electronic maps, Toronto Building correspondence, City Planning correspondence etc.
Tokens prepared for LDA: ['document', 'possession', 'toronto', 'concern', 'pacific', 'avenue', 'toronto', 'specifically', 'drawing', 'correspondence', 'survey', 'electronic', 'toronto', 'building', 'correspondence', 'planning', 'correspondence']
Original Request: A copy of record identifying the name of the contractor, contracting company and/or permit details associated with construction work at {} file # BO1O/14NY. Record search from Jan. 2015 to Sept. 1, 2015.
Tokens prepared for LDA: ['record', 'identify', 'contractor', 'contract', 'company', 'and/or', 'permit', 'associate', 'construction', 'bo1o/14ny', 'record', 'search', 'january', 'september']
Original Request: A complete copy of HVAC and all heating relating documents for {} file # 07-121520 HVA 00.
Tokens prepared for LDA: ['complete', 'relate', 'document', '121520']
Original Request: Water maintenance records pertaining to {} following sewer back-up which occurred at or near the property on Feb. 19, 2014 and Mar. 5, 2014: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'february', 'march', 'record', 'report', 'relate', 'relevant', 'sewer(s']
Original Request: Water maintenance records pertaining to {} following sewer back-up which occurred at or near the property on Feb. 19, 2014 and Mar. 5, 2014: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'february', 'march', 'record', 'report', 'relate', 'relevant', 'sewer(s']
Original Request: Copies of all building permits issued to {} specifically those related to any construction and/or renovation work to the property. Record search from Jan. 1, 1900 to Apr. 1, 2016.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'specifically', 'relate', 'construction', 'and/or', 'renovation', 'property', 'record', 'search', 'january', 'april']
Original Request: All records related to bed bug inspection at {} including those documents which show the request was made by {}. Record search from Jul. 2015 to Nov. 2015.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'include', 'document', 'request', 'record', 'search', 'november']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A copy of site plan on Committee of Adjustment file for Fieldgate Apartments/Fieldgate Two Twenty Apartments Ltd. related to file No. 06 132321 WET 03 PLC and TA PLC 2003 0003.
Tokens prepared for LDA: ['committee', 'adjustment', 'fieldgate', 'apartment', 'fieldgate', 'apartment', 'relate', '132321']
Original Request: In tabular electronic format: records of work completed or currently scheduled, by the Priority Lead Service Replacement program. For each record following fields are to be included: application date, property's postal code etc.
Tokens prepared for LDA: ['tabular', 'electronic', 'format', 'record', 'complete', 'currently', 'schedule', 'priority', 'service', 'replacement', 'program', 'record', 'follow', 'field', 'include', 'application', 'property', 'postal']
Original Request: Record of all tests conducted by the Non-Regulated Lead Sampling Program as follows: in a tabular electronic format, and for each record include the following fields: sample date, postal code (limited to include only the first 5 characters) etc.
Tokens prepared for LDA: ['record', 'conduct', 'regulate', 'sampling', 'program', 'follow', 'tabular', 'electronic', 'format', 'record', 'include', 'follow', 'field', 'sample', 'postal', 'limit', 'include', 'character']
Original Request: In relation to the planned Master Plan/pavilion Project/Revitalization, the following records are requested for: Humber Bay Park East, Humber Bay Park West, Humber Bay Shores Park, 2183 Lake Shore Blvd. W, PIN: 076240125 [TRCA land adjacent to 2183 Lake S
Tokens prepared for LDA: ['relation', 'master', 'pavilion', 'project', 'revitalization', 'follow', 'record', 'request', 'humber', 'humber', 'humber', 'shore', 'shore', '076240125', 'adjacent']
Original Request: Copies of all outstanding permits for {} in relation to permits: 06 103996BLD 00SR & 06 103996BLD 00PS. Record search from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'outstanding', 'permit', 'relation', 'permit', '103996bld', '103996bld', 'record', 'search', 'possible', 'present']
Original Request: Record of the City of Toronto's Open Government evaluation strategy, design plan and training initiatives: 1) The evaluation strategy or evaluation plan for 'Open Government By Design' plan etc.
Tokens prepared for LDA: ['record', 'toronto', 'government', 'evaluation', 'strategy', 'design', 'train', 'initiative', 'evaluation', 'strategy', 'evaluation', 'government', 'design']
Original Request: Copy of all technical reports, work orders etc., pertaining to requests to fix crosswalk at the Women's College Hospital - 76 Grenville Street, including request made on March 17, 2016 ref. #3907726. Record search from Oct. 30, 2015 to Apr. 29, 2016.
Tokens prepared for LDA: ['technical', 'report', 'order', 'pertain', 'request', 'crosswalk', 'woman', 'college', 'hospital', 'grenville', 'street', 'include', 'request', 'march', '3907726', 'record', 'search', 'october', 'april']
Original Request: Copies of 1987 building records related to {} under permit # 87-017445 BLD & 87-018201 BLD.
Tokens prepared for LDA: ['copy', 'build', 'record', 'relate', 'permit', '017445', '018201']
Original Request: A copy of the Committee of Adjustment file for {}.
Tokens prepared for LDA: ['committee', 'adjustment']
Original Request: All building records relating to {} from the Jan. 1, 2014 to May 1, 2016.
Tokens prepared for LDA: ['build', 'record', 'relate', 'january']
Original Request: In electronic format: a list of all gifts OFFERED to the Mayor of Toronto from October 25, 2010 to May 1, 2016. This should include: accompanying details that are available for each item (if applicable) etc.
Tokens prepared for LDA: ['electronic', 'format', 'offer', 'mayor', 'toronto', 'october', 'include', 'accompany', 'available', 'applicable']
Original Request: Copies of documents and investigative records from Toronto Animal Services pertaining to the seizure, evaluation, and euthanasia of a dog named Brownie from the residence of {}. Record search from April 19th 2016 - April 21st.
Tokens prepared for LDA: ['copy', 'document', 'investigative', 'record', 'toronto', 'animal', 'services', 'pertain', 'seizure', 'evaluation', 'euthanasia', 'brownie', 'residence', 'record', 'search', 'april', 'april']
Original Request: Information about how the condo building at 1960 Queen Street cite specific bylaw was developed by the planning department and how it was interpreted by the building department in approving the building permit, including internal e-mails etc.
Tokens prepared for LDA: ['information', 'condo', 'build', 'queen', 'street', 'specific', 'bylaw', 'develope', 'department', 'interpret', 'build', 'department', 'approve', 'build', 'permit', 'include', 'internal']
Original Request: Information about the variances required for 1884 Queen Street that resulted in a Committee of adjustment application that was approved in 2015. This includes e-mails, electronic and paper information from the planning and buildings department.
Tokens prepared for LDA: ['information', 'variance', 'require', 'queen', 'street', 'result', 'committee', 'adjustment', 'application', 'approve', 'include', 'electronic', 'paper', 'information', 'building', 'department']
Original Request: A copy of records regarding "no access to off-street parking" for the property {} during the month of Aug. 2015.
Tokens prepared for LDA: ['record', 'regard', 'access', 'street', 'property', 'month', 'august']
Original Request: A copy of records regarding "no access to off-street parking" for the property {} during the month of Aug. 2015.
Tokens prepared for LDA: ['record', 'regard', 'access', 'street', 'property', 'month', 'august']
Original Request: A copy of building file for {}.
Tokens prepared for LDA: ['build']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit']
Original Request: A copy of Public Health and ML&S (593-148) inspection reports in relation to {}. Record search from Feb. 25, 2016 and Aug. 15, 2015 to Aug. 30, 2015 respectively.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'relation', 'record', 'search', 'february', 'august', 'august', 'respectively']
Original Request: Complete copies of building and zoning files for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: Record of building permits, inspections, variances, violations, correspondence and any contractors involved in the building of the property located at {}. Record search from 2010 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'inspection', 'variance', 'violation', 'correspondence', 'contractor', 'involve', 'build', 'property', 'locate', 'record', 'search', 'present']
Original Request: A copy of building permit 93-021394 & 93-014210 for {} and/or any other document which proves the building is categorized as a triplex. Record search from 1900 to 2016.
Tokens prepared for LDA: ['build', 'permit', '021394', '014210', 'and/or', 'document', 'prove', 'build', 'categorize', 'triplex', 'record', 'search']
Original Request: Copies of building permits issued for the building of a residential home at {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'build', 'residential']
Original Request: A copy of report following an investigation on May 2, 2016 into strong sewage smell on the property of 356 Signet Dr. -Tinnels Patties. Ref. # 399507.
Tokens prepared for LDA: ['report', 'follow', 'investigation', 'strong', 'sewage', 'smell', 'property', 'signet', '-tinnels', 'patty', '399507']
Original Request: A copy of encroachment agreement made with 36 Vaughan Rd ¿ Dutch Dream, under permit #70106701. Including a copy of application for a boulevard café at the aforementioned address, file # BCP 2015-188.
Tokens prepared for LDA: ['encroachment', 'agreement', 'vaughan', 'dutch', 'dream', 'permit', '70106701', 'include', 'application', 'boulevard', 'aforementioned', 'address']
Original Request: Copies of complaint regarding patrons from {.} parking their vehicles onto neighboring properties, from June 2015 to present.
Tokens prepared for LDA: ['copy', 'complaint', 'regard', 'patron', 'vehicle', 'neighbor', 'property', 'present']
Original Request: Copies of building and zoning records for {} permit # 63506. Record search from 1973 to present.
Tokens prepared for LDA: ['copy', 'build', 'record', 'permit', '63506', 'record', 'search', 'present']
Original Request: A copy of the investigative file, including inspection notes and other details on all open orders for {}.
Tokens prepared for LDA: ['investigative', 'include', 'inspection', 'order']
Original Request: A copy of the investigative file, including inspection notes and other details on all open orders for {}.
Tokens prepared for LDA: ['investigative', 'include', 'inspection', 'order']
Original Request: A copy of the investigative file, including inspection notes and other details on all open orders for {}.
Tokens prepared for LDA: ['investigative', 'include', 'inspection', 'order']
Original Request: A copy of the investigative file, including inspection notes and other details on all open orders for {}.
Tokens prepared for LDA: ['investigative', 'include', 'inspection', 'order']
Original Request: A copy of the investigative file, including inspection notes and other details on all open orders for {}.
Tokens prepared for LDA: ['investigative', 'include', 'inspection', 'order']
Original Request: 1. Record of all road work performed on Hickory Tree Rd. this includes work to: signs, sidewalks, winter maintenance schedules/repair, speed bumps and any other items which falls within this category. Record search from Jan. 1, 2011 to present.
Tokens prepared for LDA: ['record', 'perform', 'hickory', 'include', 'sidewalk', 'winter', 'maintenance', 'schedule', 'repair', 'speed', 'category', 'record', 'search', 'january', 'present']
Original Request: An updated copy of Animal Services file pertaining to dog bite incident involving {}, which occurred at {} on Sep. 17, 2015. Previous request 2015-02347. Record search from approximately October 27, 2015.
Tokens prepared for LDA: ['update', 'animal', 'services', 'pertain', 'incident', 'involve', 'occur', 'september', 'previous', 'request', '02347', 'record', 'search', 'approximately', 'october']
Original Request: A copy of Animal Services file pertaining to dog bite incident involving {} and dog owned by {} and {}; which occurred near {} on May 19, 2015. File # A15-012966.
Tokens prepared for LDA: ['animal', 'services', 'pertain', 'incident', 'involve', 'occur', '012966']
Original Request: A copy of CPR letter in zoning review folder # 15-238530 for {}, North York.
Tokens prepared for LDA: ['letter', 'review', 'folder', '238530', 'north']
Original Request: A copy of building permit and permit application for {}, under permit # 89-00279.
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'permit', '00279']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit']
Original Request: Copies of complaint regarding patrons from {} parking their vehicles onto neighboring properties, from June 2015 to present.
Tokens prepared for LDA: ['copy', 'complaint', 'regard', 'patron', 'vehicle', 'neighbor', 'property', 'present']
Original Request: All inspection notes, site reports and Ontario Building Code notices related to {} under permit No 15 220653 BLD 00 SR.
Tokens prepared for LDA: ['inspection', 'report', 'ontario', 'building', 'notice', 'relate', 'permit', '220653']
Original Request: Copies of all communications (e-mails, letters, minutes of meetings, documents, fax, etc.) between Councillor Cesar Palacio (or his assistants) and Mr. Chris Brillinger Executive Director of Social Development, Finance and Administration etc.
Tokens prepared for LDA: ['copy', 'communication', 'letter', 'minute', 'meeting', 'document', 'councillor', 'cesar', 'palacio', 'assistant', 'chris', 'brillinger', 'executive', 'director', 'social', 'development', 'finance', 'administration']
Original Request: Copies of all communications (e-mails, letters, minutes of meetings, documents, fax, etc.) between Councillor Cesar Palacio (or his assistants) and Mr. Chris Brillinger Executive Director of Social Development, Finance and Administration etc.
Tokens prepared for LDA: ['copy', 'communication', 'letter', 'minute', 'meeting', 'document', 'councillor', 'cesar', 'palacio', 'assistant', 'chris', 'brillinger', 'executive', 'director', 'social', 'development', 'finance', 'administration']
Original Request: A complete copy of the building file for {} from the time of construction to present.
Tokens prepared for LDA: ['complete', 'build', 'construction', 'present']
Original Request: All drawings and plans on Committee of Adjustment file A0754.05 TEY for {}. Record search from Jan. 23, 2005 to present.
Tokens prepared for LDA: ['drawing', 'committee', 'adjustment', 'a0754.05', 'record', 'search', 'january', 'present']
Original Request: All permits issued to {} specifically those related to the 12 x 28 Below Ground plan or survey. Record search from 1965 to present.
Tokens prepared for LDA: ['permit', 'issue', 'specifically', 'relate', 'ground', 'survey', 'record', 'search', 'present']
Original Request: A complete copy of ML&S investigative file concerning the near drown experience of {} while at {.} on Aug. 31, 2015.
Tokens prepared for LDA: ['complete', 'investigative', 'concern', 'drown', 'experience', 'august']
Original Request: Updated copies of all building documents related to second floor deck at {} from Oct. 28, 2015 to present. Records related to any drainage issues raised with property standards concerning the aforementioned property.
Tokens prepared for LDA: ['update', 'build', 'document', 'relate', 'floor', 'october', 'present', 'record', 'relate', 'drainage', 'issue', 'raise', 'property', 'standard', 'concern', 'aforementioned', 'property']
Original Request: A copy of building permit application for Imperial Oil Ltd. at 1 Duncan Mills Rd., under permit # 02124314 FSU 00FS.
Tokens prepared for LDA: ['build', 'permit', 'application', 'imperial', 'duncan', 'mills', 'permit', '02124314']
Original Request: All records concerning MM8.11 & EY21.50 in regards to 2183 Lake Shore Blvd W.; Empire Communities Sales Pavilion; Humber Bay Park East; Councillor Mark Grimes; Chief Corporate Officer Josie Scioli and General Manager of PFR Janie Romoff.
Tokens prepared for LDA: ['record', 'concern', 'mm8.11', 'ey21.50', 'regard', 'shore', 'empire', 'community', 'sales', 'pavilion', 'humber', 'councillor', 'grime', 'chief', 'corporate', 'officer', 'josie', 'scioli', 'general', 'manager', 'janie', 'romoff']
Original Request: All records concerning MM8.11 & EY21.50 in regards to 2183 Lake Shore Blvd W.; Empire Communities Sales Pavilion; Humber Bay Park East; Councillor Mark Grimes; Chief Corporate Officer Josie Scioli and General Manager of PFR Janie Romoff.
Tokens prepared for LDA: ['record', 'concern', 'mm8.11', 'ey21.50', 'regard', 'shore', 'empire', 'community', 'sales', 'pavilion', 'humber', 'councillor', 'grime', 'chief', 'corporate', 'officer', 'josie', 'scioli', 'general', 'manager', 'janie', 'romoff']
Original Request: All communication with the following City staff, regarding {}. This includes any letters, e-mails, telephone communication etc. Record search from Jan. 1, 2014 to Apr. 30, 2016. ML&S staff: Peter Choi; Erik Boss; Kamran Nizami.
Tokens prepared for LDA: ['communication', 'follow', 'staff', 'regard', 'include', 'letter', 'telephone', 'communication', 'record', 'search', 'january', 'april', 'staff', 'peter', 'kamran', 'nizami']
Original Request: A list of all drivers, licensed by the City of Toronto as per Toronto Municipal Code Chapter 545, associated to 1857543 Inc., operated by Steve's Towing. Record search from Jan. 1, 2012 to present.
Tokens prepared for LDA: ['driver', 'license', 'toronto', 'toronto', 'municipal', 'chapter', 'associate', '1857543', 'operate', 'steve', 'tow', 'record', 'search', 'january', 'present']
Original Request: All records pertaining to a request for Municipal Licensing and Standards (initiated April 4th, 2016) to investigate the potential operation of an illegal rooming house at {} etc.
Tokens prepared for LDA: ['record', 'pertain', 'request', 'municipal', 'license', 'standard', 'initiate', 'april', 'investigate', 'potential', 'operation', 'illegal', 'house']
Original Request: A complete copy of the files used to provide a response to FOI# 2015-02081 which disclosed the following: "Toronto Building staff has advised that the Paragon invoice # E01389 shows the date of the order was November 17, 2014.
Tokens prepared for LDA: ['complete', 'provide', 'response', '02081', 'disclose', 'follow', 'toronto', 'building', 'staff', 'advise', 'paragon', 'invoice', 'e01389', 'order', 'november']
Original Request: Copies of building records related to renovations at {} which transformed the layout from 3 washrooms to 2 with the remaining washroom space used to form an open concept.
Tokens prepared for LDA: ['copy', 'build', 'record', 'relate', 'renovation', 'transform', 'layout', 'washroom', 'remain', 'washroom', 'space', 'concept']
Original Request: All building permits (open and closed) with respect to {} including all orders issued against the property from Jan. 2012 to Apr. 16, 2016.
Tokens prepared for LDA: ['build', 'permit', 'close', 'respect', 'include', 'order', 'issue', 'property', 'january', 'april']
Original Request: Copies of Toronto Fire Services and Toronto Building inspection reports for {} including a list of the violations found and repairs ordered. Record search from Mar. 15, 2016 to May 9, 2016.
Tokens prepared for LDA: ['copy', 'toronto', 'services', 'toronto', 'building', 'inspection', 'report', 'include', 'violation', 'repair', 'order', 'record', 'search', 'march']
Original Request: A copy of lease agreement between the City of Toronto and Global Brans Food Services Inc. to operate at the McGregor Park Recreation Centre. Record search from 2012 to 2016.
Tokens prepared for LDA: ['lease', 'agreement', 'toronto', 'global', 'bran', 'services', 'operate', 'mcgregor', 'recreation', 'centre', 'record', 'search']
Original Request: A copy of letter requesting a change of address to the Property Tax bill mailing address. This letter was sent in October of 2014. The address is {}.
Tokens prepared for LDA: ['letter', 'request', 'change', 'address', 'property', 'address', 'letter', 'october', 'address']
Original Request: A copy of sewer connection plan/drawings/info (Storm and Sanitary) connecting into, property located at {}.
Tokens prepared for LDA: ['sewer', 'connection', 'drawing', 'storm', 'sanitary', 'connect', 'property', 'locate']
Original Request: A copy of health inspection report following, an investigation into mold at the residence of {} Record search from May 2, 2016 to present.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'follow', 'investigation', 'residence', 'record', 'search', 'present']
Original Request: Still images of red light camera at the intersection of Arkona Dr. / Cloverleaf Gt., and Warden Ave., for the time frame 4:00 p.m. - 4:15 p.m. on Feb. 25, 2016. Images should show a motor vehicle collision (including the identity of the vehicle etc.
Tokens prepared for LDA: ['image', 'light', 'camera', 'intersection', 'arkona', 'cloverleaf', 'warden', 'frame', 'february', 'image', 'motor', 'vehicle', 'collision', 'include', 'identity', 'vehicle']
Original Request: Still images of red light camera at the intersection of Arkona Dr. / Cloverleaf Gt., and Warden Ave., for the time frame 4:00 p.m. - 4:15 p.m. on Feb. 25, 2016. Images should show a motor vehicle collision (including the identity of the vehicle etc.
Tokens prepared for LDA: ['image', 'light', 'camera', 'intersection', 'arkona', 'cloverleaf', 'warden', 'frame', 'february', 'image', 'motor', 'vehicle', 'collision', 'include', 'identity', 'vehicle']
Original Request: Any record of complaints (including injury) and/or requests pertaining to the maintenance of sidewalks on Lakeshore Blvd. W., specifically 2935 Lakeshore Blvd. W. Record search from Nov. 2013 to present.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'injury', 'and/or', 'request', 'pertain', 'maintenance', 'sidewalk', 'lakeshore', 'specifically', 'lakeshore', 'record', 'search', 'november', 'present']
Original Request: Record of any City By-law complaints, offences, violations and/or orders filed against {}. Record search to be from Dec. 2013 to present.
Tokens prepared for LDA: ['record', 'complaint', 'offence', 'violation', 'and/or', 'order', 'record', 'search', 'december', 'present']
Original Request: A copy of ML&S file 2016 130104 PRS 00IR for {}.
Tokens prepared for LDA: ['130104']
Original Request: Copies of building permit documents for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document']
Original Request: Maintenance and snow removal records for sidewalks on Hiscock Blvd., that borders the western side of Densgrove Park from Sep. 21, 2013 to Dec. 30, 2013.
Tokens prepared for LDA: ['maintenance', 'removal', 'record', 'sidewalk', 'hiscock', 'border', 'western', 'densgrove', 'september', 'december']
Original Request: Copies of submissions from bidders: The State Group Inc., and Kudlack-Baird Electrical Contractors for Tender Call No. 100-2016: Construct New Basement Room to House New Switchboard, etc., for 277 Victoria Street (commercial building).
Tokens prepared for LDA: ['copy', 'submission', 'bidder', 'state', 'group', 'kudlack', 'baird', 'electrical', 'contractor', 'tender', 'construct', 'basement', 'house', 'switchboard', 'victoria', 'street', 'commercial', 'build']
Original Request: A copy of all 911 call, radio call records, requests for service or other incidents from Toronto Fire Services (excluding incident reports); fire inspections, violations, orders issued against {}, from Dec. 2013 to present.
Tokens prepared for LDA: ['radio', 'record', 'request', 'service', 'incident', 'toronto', 'services', 'exclude', 'incident', 'report', 'inspection', 'violation', 'order', 'issue', 'december', 'present']
Original Request: A copy of Toronto Water inspection report on file 3851244, regarding flooding incident at {} on Feb. 23, 2016.
Tokens prepared for LDA: ['toronto', 'water', 'inspection', 'report', '3851244', 'regard', 'flood', 'incident', 'february']
Original Request: All records pertaining to complaints, investigations, work orders and repairs to the sewer system of Cheshire Dr., in 2014 and 2015; all records related to sewer flushing in 2015 and all records pertaining to manholes and floods on Cheshire Drive.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'investigation', 'order', 'repair', 'sewer', 'cheshire', 'record', 'relate', 'sewer', 'flush', 'record', 'pertain', 'manhole', 'flood', 'cheshire', 'drive']
Original Request: Record of all permits issued to {} from 1970 to 2000.
Tokens prepared for LDA: ['record', 'permit', 'issue']
Original Request: Copies of the following permits for {}: 395367; 396452 and 383397. Record search from 1996 to 1997.
Tokens prepared for LDA: ['copy', 'follow', 'permit', '395367', '396452', '383397', 'record', 'search']
Original Request: City sewer maintenance records showing that the sewers were cleaned every 5 years. Copies of repairs, work orders, flush or CCTV records of sewer mains in the immediate vicinity; screen shots of infrastructure, water report, customer service requests etc.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'sewer', 'clean', 'copy', 'repair', 'order', 'flush', 'record', 'sewer', 'immediate', 'vicinity', 'screen', 'infrastructure', 'water', 'report', 'customer', 'service', 'request']
Original Request: Water maintenance records pertaining to {} following waterline/watermain rupture which caused backup occurred at the property on Jun. 25, 2014: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'waterline', 'watermain', 'rupture', 'cause', 'backup', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s']
Original Request: Copies of Toronto Water records regarding flooding and sewer damage to property located at {} on May 11, 2016.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'regard', 'flood', 'sewer', 'damage', 'property', 'locate']
Original Request: Copies of complete files or documents on file pertaining to {} under the following order numbers: 13 254 968; 13 254 955; 16 149995 PRS 00IV; 16 151513 PRS 00IV; 16 150135 PRS 00IV; 16 151501 PRS OOIV and 15 114167 PRS 00IV.
Tokens prepared for LDA: ['copy', 'complete', 'document', 'pertain', 'follow', 'order', 'number', '149995', '151513', '150135', '151501', '114167']
Original Request: Records all incidents reporting broken BIA lamp post in the City of Toronto.
Tokens prepared for LDA: ['record', 'incident', 'report', 'break', 'toronto']
Original Request: A copy of MLS complaint records and investigative notes related to dog at {}. Complaint made in Feb. 2016.
Tokens prepared for LDA: ['complaint', 'record', 'investigative', 'relate', 'complaint', 'february']
Original Request: A copy of work order issued by Toronto Public Health to {}; following a mold investigation. Record search from Jan. 19 to Feb. 4, 2016.
Tokens prepared for LDA: ['order', 'issue', 'toronto', 'public', 'health', 'follow', 'investigation', 'record', 'search', 'january', 'february']
Original Request: In electronic format (e.g., PDF, Excel or text of an email): a list of the 78 marijuana dispensaries as referenced in Toronto Sun Article - "Bylaw officers set to crack down on marijuana dispensaries," published May 15th. Records should include: business
Tokens prepared for LDA: ['electronic', 'format', 'excel', 'email', 'marijuana', 'dispensary', 'reference', 'toronto', 'article', 'bylaw', 'officer', 'crack', 'marijuana', 'dispensary', 'publish', 'record', 'include', 'business']
Original Request: A complete copy of ML&S investigative file into incident involving a child which fell from a window at {} on Jul. 2, 2015.
Tokens prepared for LDA: ['complete', 'investigative', 'incident', 'involve', 'child', 'window']
Original Request: A copy of Public Health inspection report following investigation into termite biting incident involving {} while staying at the Toronto Don Valley Hotel & Suites at 175 Wynford Dr., during Mar. 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'follow', 'investigation', 'termite', 'incident', 'involve', 'toronto', 'valley', 'hotel', 'suite', 'wynford', 'march']
Original Request: In reference for records released under FOI # 2016-00231, specifically e-mail (with photo attachments) dated Sep. 29, 2015 from Joy Correia. A copy of the attachments in the aforementioned e-mail is requested along with information on the court etc.
Tokens prepared for LDA: ['reference', 'record', 'release', '00231', 'specifically', 'photo', 'attachment', 'september', 'correia', 'attachment', 'aforementioned', 'request', 'information', 'court']
Original Request: A copy of Toronto Water records related to any watermain break which resulted in the release of water subgrade along Lakeshore Blvd., and construction site located {} between Jan. 1, 2015 to Dec. 31, 2015.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relate', 'watermain', 'break', 'result', 'release', 'water', 'subgrade', 'lakeshore', 'construction', 'locate', 'january', 'december']
Original Request: All inspection notes documents and reports for 654 Crawford St. in relation to permit 2009-130355 BLD 00SR and 2010-308007 BLD 00SR. Record search from Jan. 1, 2009 to May 5, 2016.
Tokens prepared for LDA: ['inspection', 'document', 'report', 'crawford', 'relation', 'permit', '130355', '308007', 'record', 'search', 'january']
Original Request: All inspection notes documents and reports for 654 Crawford St. in relation to permit 2009-130355 BLD 00SR and 2010-308007 BLD 00SR. Record search from Jan. 1, 2009 to May 5, 2016.
Tokens prepared for LDA: ['inspection', 'document', 'report', 'crawford', 'relation', 'permit', '130355', '308007', 'record', 'search', 'january']
Original Request: All building records for {} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'possible', 'present']
Original Request: All building records for {} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'possible', 'present']
Original Request: Any record of complaint made against {.} regarding the width of the driveway.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'width', 'driveway']
Original Request: Copies of all permit applications made and permits issued to Peanut Plaza located at 3030 Don Mills Rd. Record search from 1990 to Nov. 2009.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'permit', 'issue', 'peanut', 'plaza', 'locate', 'mills', 'record', 'search', 'november']
Original Request: Copies of all permit and inspection records related to the fire sprinkler system for The Westin Harbour Castle at 1 Harbour Square
Tokens prepared for LDA: ['copy', 'permit', 'inspection', 'record', 'relate', 'sprinkler', 'westin', 'harbour', 'castle', 'harbour', 'square']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements with respect to the cutting of grass and weeds.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass']
Original Request: All documents related the oak tree with a tree diameter of approximately 117 cm located on 6 Pheasant Lane (the "Oak Tree") including, but not limited to: a. any tree records pertaining to the Oak Tree including, but not limited to, the City etc.
Tokens prepared for LDA: ['document', 'relate', 'diameter', 'approximately', 'locate', 'pheasant', 'include', 'limit', 'record', 'pertain', 'include', 'limit']
Original Request: The identity of complainant linked to Folder # 16 148835 NOI 00 IR / Document ID #1581700 in relation to construction noise at {}. Record search from May 1-12, 2016.
Tokens prepared for LDA: ['identity', 'complainant', 'folder', '148835', 'document', '1581700', 'relation', 'construction', 'noise', 'record', 'search']
Original Request: A copy of the permit and application issued to destroy a tree at {} during the month of Mar, 2016.
Tokens prepared for LDA: ['permit', 'application', 'issue', 'destroy', 'month']
Original Request: Any e-mails, briefing notes, memos, presentations, calendar items or meeting notes sent or received by, prepared by or prepared for the Mayor and/or his staff related to Toronto Hydro. Record search from Jan. 1, 2016 to May 18, 2016.
Tokens prepared for LDA: ['brief', 'presentation', 'calendar', 'receive', 'prepare', 'prepare', 'mayor', 'and/or', 'staff', 'relate', 'toronto', 'hydro', 'record', 'search', 'january']
Original Request: Record of watermain breaks and sewer maintenance reports for Hickory Tree Rd., from Jan. 2011 to present.
Tokens prepared for LDA: ['record', 'watermain', 'break', 'sewer', 'maintenance', 'report', 'hickory', 'january', 'present']
Original Request: Copies of complaint records regarding notices of violation for groundwater discharge and issued with face to curb parking at the property of {}.
Tokens prepared for LDA: ['copy', 'complaint', 'record', 'regard', 'notice', 'violation', 'groundwater', 'discharge', 'issue', 'property']
Original Request: A list of provincially funded and licensed adult group homes operating in Toronto, for individuals aged 19-64.
Tokens prepared for LDA: ['provincially', 'license', 'adult', 'group', 'operate', 'toronto', 'individual']
Original Request: Record of all complaints made against property located at {} from 2012 to present.
Tokens prepared for LDA: ['record', 'complaint', 'property', 'locate', 'present']
Original Request: Any e-mails, briefing notes, memos, presentations, calendar items or meeting notes sent or received by, prepared by or prepared for the Mayor and/or his staff related to a possible parking tax or any other new revenue tool such as: - parking tax - hotel
Tokens prepared for LDA: ['brief', 'presentation', 'calendar', 'receive', 'prepare', 'prepare', 'mayor', 'and/or', 'staff', 'relate', 'possible', 'revenue', 'hotel']
Original Request: Record of noise complaints made by {} in relation to activity at The Cellar. Record search from Oct. 29, 2015 to May 20, 2016.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'relation', 'activity', 'cellar', 'record', 'search', 'october']
Original Request: A copy of Animal Services and Public Health files pertaining to dog bite incident on Jan. 15, 2016, at {}; in which {}, was bitten. Record of any historical information regarding the dog involved etc.
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'pertain', 'incident', 'january', 'record', 'historical', 'information', 'regard', 'involve']
Original Request: A copy of Animal Services and Public Health files pertaining to dog bite incident on Mar. 17, 2016, at {}, in which {}, was bitten. Record of any historical information regarding the dog involved etc.
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'pertain', 'incident', 'march', 'record', 'historical', 'information', 'regard', 'involve']
Original Request: Copies of the following building documents on file for {}: 1. Inspection reports 2. Occupancy permits 3. Application for increased density and 4. Approval date for increased density Records search from Jan. 2, 2010 to Oct. 30, 2013.
Tokens prepared for LDA: ['copy', 'follow', 'build', 'document', 'inspection', 'report', 'occupancy', 'permit', 'application', 'increase', 'density', 'approval', 'increase', 'density', 'record', 'search', 'january', 'october']
Original Request: All building inspection records for {} from 2009 to present.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'present']
Original Request: Record of complaints made by {} against property located at {} to Toronto Public Health. Record search from May 1, 2016 to May 24, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'property', 'locate', 'toronto', 'public', 'health', 'record', 'search']
Original Request: Any fire and/or building code violations issued to property located at {}. Record search from Mar. 2016 to present.
Tokens prepared for LDA: ['and/or', 'build', 'violation', 'issue', 'property', 'locate', 'record', 'search', 'march', 'present']
Original Request: All Toronto Building documents related to {}, under permit #15 164404 BLD.
Tokens prepared for LDA: ['toronto', 'building', 'document', 'relate', 'permit', '164404']
Original Request: Any and all documents from the Toronto Zoo related to animal escapes from the zoo over the last three years. Copies of documents including but not limited to incident reports, an estimate of how much it cost to search for and retrieve these animals.
Tokens prepared for LDA: ['document', 'toronto', 'relate', 'animal', 'escape', 'copy', 'document', 'include', 'limit', 'incident', 'report', 'estimate', 'search', 'retrieve', 'animal']
Original Request: A copy of variance Committee of Adjustment file and drawings for {}. File number is B0038/11TEY.
Tokens prepared for LDA: ['variance', 'committee', 'adjustment', 'drawing', 'b0038/11tey']
Original Request: Information on all claims made against the City of Toronto regarding damage to vehicles on Wellesley St. West or at any of its intersections, alleged to have occurred during Dec. 2014.
Tokens prepared for LDA: ['information', 'claim', 'toronto', 'regard', 'damage', 'vehicle', 'wellesley', 'intersection', 'allege', 'occur', 'december']
Original Request: Copies of all complaints received by ML&S regarding the lack of City maintenance on municipal sidewalks in Cabbagetown (Wellesley to Parliament to Gerrard to River) from Jan. 1, 2009 to present etc.
Tokens prepared for LDA: ['copy', 'complaint', 'receive', 'regard', 'maintenance', 'municipal', 'sidewalk', 'cabbagetown', 'wellesley', 'parliament', 'gerrard', 'river', 'january', 'present']
Original Request: Copies of all complaints received by ML&S regarding the lack of City maintenance on municipal sidewalks in Cabbagetown (Wellesley to Parliament to Gerrard to River) from Jan. 1, 2009 to present etc.
Tokens prepared for LDA: ['copy', 'complaint', 'receive', 'regard', 'maintenance', 'municipal', 'sidewalk', 'cabbagetown', 'wellesley', 'parliament', 'gerrard', 'river', 'january', 'present']
Original Request: A copy of sewer back up report for Fox and Fiddle Restaurant at 1285 Finch Ave. West, Toronto. The incident occurred on Jan. 22, 2016.
Tokens prepared for LDA: ['sewer', 'report', 'fiddle', 'restaurant', 'finch', 'toronto', 'incident', 'occur', 'january']
Original Request: Information on each building permit issued since 2002 for {.}; when permit was issued and work done; dates and results of inspections; when permits were closed; comments from inspector.
Tokens prepared for LDA: ['information', 'build', 'permit', 'issue', 'permit', 'issue', 'result', 'inspection', 'permit', 'close', 'comment', 'inspector']
Original Request: Record of e-mails, correspondences, documents, meeting requests and calendar entries with Zane Caplansky (Lobbyist # 23122S-1) and staff in Mayor's Office and staff in ML&S regarding food truck or temporary food service regulations.
Tokens prepared for LDA: ['record', 'correspondence', 'document', 'request', 'calendar', 'entry', 'caplansky', 'lobbyist', '23122s-1', 'staff', 'mayor', 'office', 'staff', 'regard', 'truck', 'temporary', 'service', 'regulation']
Original Request: A copy of all notes from Chris Rygiel, Building Inspector, for permit # 15 239147 for {}.
Tokens prepared for LDA: ['chris', 'rygiel', 'building', 'inspector', 'permit', '239147']
Original Request: Records relating to the incident where a City of Toronto dump truck reversed into the garage of {} on Feb. 4, 2015.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'toronto', 'truck', 'reverse', 'garage', 'february']
Original Request: A copy of images from CityTransportation Camera 7 (facing west) and the camera (facing east) located on Lakeshore Blvd. at Yonge St. between 12.00 and 13.00 on May 24, 2016.
Tokens prepared for LDA: ['image', 'citytransportation', 'camera', 'camera', 'locate', 'lakeshore', 'yonge', '12.00', '13.00']
Original Request: All records pertaining to permits, permit applications, inspections, inspectors' notes, violations for {}.
Tokens prepared for LDA: ['record', 'pertain', 'permit', 'permit', 'application', 'inspection', 'inspector', 'violation']
Original Request: A copy of notes/records from Toronto Fire Services, including any captain's handwritten notes, witness statements, photos for the fire that occurred on Feb. 17, 2015 at {}.
Tokens prepared for LDA: ['record', 'toronto', 'services', 'include', 'captain', 'handwritten', 'witness', 'statement', 'photo', 'occur', 'february']
Original Request: A complete copy of Toronto Building file for {} from 1971 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'present']
Original Request: A copy of all records released under FOI# 2013-01056 in relation to the Union Station Revitalization Project.
Tokens prepared for LDA: ['record', 'release', '01056', 'relation', 'union', 'station', 'revitalization', 'project']
Original Request: A copy of Toronto Public Health remediation report related to investigation of a grow-op at {}. Record search from 2006 to present.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'remediation', 'report', 'relate', 'investigation', 'record', 'search', 'present']
Original Request: Record of the date RUS League was discontinued at the Kipling Community Centre including, any activity or enrollment records concerning Justin Antonio Campbell at the Kipling Community Centre.
Tokens prepared for LDA: ['record', 'league', 'discontinue', 'kipling', 'community', 'centre', 'include', 'activity', 'enrollment', 'record', 'concern', 'justin', 'antonio', 'campbell', 'kipling', 'community', 'centre']
Original Request: A copy of any by-law complaints, including Building, ML&S and Fire Services filed against {} from April 1, 2016 to present.
Tokens prepared for LDA: ['complaint', 'include', 'building', 'services', 'april', 'present']
Original Request: City sewer maintenance records showing that the sewers were cleaned every 5 years, repairs/work orders/Flush or CCTV records of sewer mains in the immediate vicinity, screen shot of infrastructure, City Water Report, related to {.}
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'sewer', 'clean', 'repair', 'order', 'flush', 'record', 'sewer', 'immediate', 'vicinity', 'screen', 'shoot', 'infrastructure', 'water', 'report', 'relate']
Original Request: Toronto Caribbean Carnival Financial Reports/Reports to the City of Toronto from 2006 - 2014
Tokens prepared for LDA: ['toronto', 'caribbean', 'carnival', 'financial', 'report', 'report', 'toronto']
Original Request: Copies of lobbying e-mails sent from Ginny Movat (Lobbyist #27978C) to various City councillors and employees on lobbying subject matter SM22736.
Tokens prepared for LDA: ['copy', 'lobby', 'ginny', 'movat', 'lobbyist', '27978c', 'various', 'councillor', 'employee', 'lobby', 'subject', 'sm22736']
Original Request: Copies of lobbying e-mails sent from Ginny Movat (Lobbyist #27978C) to various City councillors and employees on lobbying subject matter SM22736.
Tokens prepared for LDA: ['copy', 'lobby', 'ginny', 'movat', 'lobbyist', '27978c', 'various', 'councillor', 'employee', 'lobby', 'subject', 'sm22736']
Original Request: Any correspondence between Toronto City Council and Choice Properties regarding the historical designation, refurbishment or demolition of the Loblaws Warehouse at 530 Lakeshore Blvd. W. Record search from Jan. 1, 2004 to Jan. 1, 2016.
Tokens prepared for LDA: ['correspondence', 'toronto', 'council', 'choice', 'property', 'regard', 'historical', 'designation', 'refurbishment', 'demolition', 'loblaws', 'warehouse', 'lakeshore', 'record', 'search', 'january', 'january']
Original Request: Access to workflow information for Freedom of Information Access Requests processed by CIMS from Jan. 1, 2011 to Dec. 31, 2015.
Tokens prepared for LDA: ['access', 'workflow', 'information', 'freedom', 'information', 'access', 'request', 'process', 'january', 'december']
Original Request: A copy of building permits issued to {}.
Tokens prepared for LDA: ['build', 'permit', 'issue']
Original Request: All records related to permits for the "Bestival" music concert which was held at Hanlan's Point in June 13-14, 2015, including copies issued for the event years prior.
Tokens prepared for LDA: ['record', 'relate', 'permit', 'bestival', 'music', 'concert', 'hanlan', 'point', 'include', 'issue', 'event', 'prior']
Original Request: A copy of building inspection notes for {}, permit # 14 104190. Inspector Guiseppi (John) Forte. Record search from Feb. 1, 2015 to present.
Tokens prepared for LDA: ['build', 'inspection', 'permit', '104190', 'inspector', 'guiseppi', 'forte', 'record', 'search', 'february', 'present']
Original Request: A copy of order to comply #14-112375 in relation to carport and additional structure on the property of {}.
Tokens prepared for LDA: ['order', 'comply', '112375', 'relation', 'carport', 'additional', 'structure', 'property']
Original Request: In electronic machine-readable format: records from Toronto Fire Services of all calls for service collected between Jan. 1, 2015 and Dec. 31, 2015 in the Computer Aided Dispatch system, including time stamps of departure from station and arrival etc.
Tokens prepared for LDA: ['electronic', 'machine', 'readable', 'format', 'record', 'toronto', 'services', 'service', 'collect', 'january', 'december', 'computer', 'aid', 'dispatch', 'include', 'stamp', 'departure', 'station', 'arrival']
Original Request: Copies of the occupancy and building permits for {} including inspection notes and ownership change documents. Record search from Jan. 1, 2013 to Jun. 1, 2016.
Tokens prepared for LDA: ['copy', 'occupancy', 'build', 'permit', 'include', 'inspection', 'ownership', 'change', 'document', 'record', 'search', 'january']
Original Request: A copy of tree inspection report regarding {} work order # 4025755. Record search from May 23-27, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'order', '4025755', 'record', 'search']
Original Request: Record of all phone calls made by {} of {.} in relation to {} along with the investigation of each and the outcome. All records of complaint related to {}, investigative notes etc.
Tokens prepared for LDA: ['record', 'phone', 'relation', 'investigation', 'outcome', 'record', 'complaint', 'relate', 'investigative']
Original Request: Record of all building permit and minor variance applications for {} including outcome and decision documents for each. Record search from 1975 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'minor', 'variance', 'application', 'include', 'outcome', 'decision', 'document', 'record', 'search', 'present']
Original Request: A copy of ML&S investigative file for {} in relation to inspection on February 19, 2016 by Manzurul Hoque. Record search from Jan. 1, 2016 to Feb. 29, 2016.
Tokens prepared for LDA: ['investigative', 'relation', 'inspection', 'february', 'manzurul', 'hoque', 'record', 'search', 'january', 'february']
Original Request: Archival records relating to all twelve surviving office occurrence books for the Toronto police department from 1939 and 1940, for the period of 1939-1940 - Fonds 38, Series 91 (Office Occurrence Books), Files 139, 140, 141, 142, 143, 144, 145, 146 etc.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'survive', 'office', 'occurrence', 'toronto', 'police', 'department', 'period', 'fonds', 'series', 'office', 'occurrence', 'book', 'file']
Original Request: 1. All building and development applications/approvals, building permit files and other permits relating to the pool fence enclosure and/or swimming pool located at {} etc.
Tokens prepared for LDA: ['build', 'development', 'application', 'approval', 'build', 'permit', 'permit', 'relate', 'fence', 'enclosure', 'and/or', 'locate']
Original Request: A copy of animal services files related to dog attack incident involving {}, who was attacked on Dec. 11, 2015. Reference file # 3737725. Record search from Dec. 11, 2015 to present.
Tokens prepared for LDA: ['animal', 'service', 'relate', 'attack', 'incident', 'involve', 'attack', 'december', 'reference', '3737725', 'record', 'search', 'december', 'present']
Original Request: All records (including reports, reports from the public, communications and memos) concerning tainted opioids and/or fentanyl from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['record', 'include', 'report', 'report', 'public', 'communication', 'concern', 'taint', 'opioid', 'and/or', 'fentanyl', 'january', 'present']
Original Request: All communications between Justin Di Ciano (Ward 5, Etobicoke-Lakeshore) (and his staff) and other city councillors, their staff, the mayor and his staff, concerning Di Ciano's motion concerning ranked ballots (motion #6) regarding the Five-Year Review .
Tokens prepared for LDA: ['communication', 'justin', 'ciano', 'etobicoke', 'lakeshore', 'staff', 'councillor', 'staff', 'mayor', 'staff', 'concern', 'ciano', 'motion', 'concern', 'ballot', 'motion', 'regard', 'review']
Original Request: Copies of the following communications including but not limited to any e-mails, voice-mails, recordings, notes, memos, decks, or minutes between Ginny Movat, Registered Lobbyist 27978C, and the following public office holders etc.
Tokens prepared for LDA: ['copy', 'follow', 'communication', 'include', 'limit', 'voice', 'recording', 'minute', 'ginny', 'movat', 'register', 'lobbyist', '27978c', 'follow', 'public', 'office', 'holder']
Original Request: Copies of building permit applications for renovations to property located at {}. Record search 2010 to 2016.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'renovation', 'property', 'locate', 'record', 'search']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: A copy of Toronto Fire Services inspection reports for {} from Jun. 1, 2010 to Jun. 1, 2016.
Tokens prepared for LDA: ['toronto', 'services', 'inspection', 'report']
Original Request: A copy of Toronto Fire Services inspection reports for {} from Jun. 1, 2010 to Jun. 1, 2016.
Tokens prepared for LDA: ['toronto', 'services', 'inspection', 'report']
Original Request: Copies of complaints made against {} with respect to the maintenance issues and the legality of a basement apartment on the property. Record search from Feb. to May, 2016.
Tokens prepared for LDA: ['copy', 'complaint', 'respect', 'maintenance', 'issue', 'legality', 'basement', 'apartment', 'property', 'record', 'search', 'february']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, fences, property standards, work orders, deficiency notices, violations etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice', 'violation']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, fences, property standards, work orders, deficiency notices, violations etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice', 'violation']
Original Request: Complaint records pertaining to boulevard and/or right-of-way parking without a license at {}. Record search from May 1, 2016 to Jun. 9, 2016.
Tokens prepared for LDA: ['complaint', 'record', 'pertain', 'boulevard', 'and/or', 'right', 'license', 'record', 'search']
Original Request: The total monthly amounts paid for landline telephone services (all divisions) at the City of Toronto from June 2015 to June 2016.
Tokens prepared for LDA: ['total', 'monthly', 'landline', 'telephone', 'service', 'division', 'toronto']
Original Request: From the Schedule 1 Designer Information; Application to Construct or Demolish and the Plumbing Data Sheet forms for all properties with existing and / or completed jobs within Forest Hill and Rosedale.
Tokens prepared for LDA: ['schedule', 'designer', 'information', 'application', 'construct', 'demolish', 'plumbing', 'sheet', 'property', 'exist', 'complete', 'forest', 'rosedale']
Original Request: For taxi cab # 1474, insurer's name and policy number; confirmation of owner's of the plate name and contact information; year, make and model of the vehicle this plate is attached to.
Tokens prepared for LDA: ['insurer', 'policy', 'confirmation', 'owner', 'plate', 'contact', 'information', 'model', 'vehicle', 'plate', 'attach']
Original Request: Full inspection reports from Building for {.} North York, and sheet of plumbing fixtures data sheet from Sept. 1, 2014 to July 1, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'building', 'north', 'sheet', 'plumb', 'fixture', 'datum', 'sheet', 'september']
Original Request: A copy of ML&S folder # 16154359 for {}.
Tokens prepared for LDA: ['folder', '16154359']
Original Request: A copy of Red Light Camera photos for Hilda Ave. and Steeles Ave. West, North York for May 30, 2016, time slot is 7.00 am to 7.15 am. The vehicle {plate removed} was hit by a Honda 4-door which entered in red light, coming from Steeles East and going west.
Tokens prepared for LDA: ['light', 'camera', 'photo', 'hilda', 'steele', 'north', 'vehicle', 'plate', 'remove', 'honda', '4-door', 'enter', 'light', 'steele']
Original Request: Any and all notices, warnings, or similar writings issued by Toronto Animal Services as a result of its investigation into the possible illegal exhibition of animals detailed in PETA's correspondence to TAS; dated May 5 & 20, 2016.
Tokens prepared for LDA: ['notice', 'warning', 'similar', 'writing', 'issue', 'toronto', 'animal', 'services', 'result', 'investigation', 'possible', 'illegal', 'exhibition', 'animal', 'correspondence']
Original Request: All reports, summaries, minutes and other written material stemming from a May 2016 meeting in Amsterdam that Toronto city representatives attended along with representatives from other cities worldwide on how to regulate "sharing economy" etc.
Tokens prepared for LDA: ['report', 'summary', 'minute', 'write', 'material', 'amsterdam', 'toronto', 'representative', 'attend', 'representative', 'worldwide', 'regulate', 'share', 'economy']
Original Request: Copies of any plumbing inspections carried out at the Black Irish Pub - 235 Queen St. E., between Jun. to Jul. 2016.
Tokens prepared for LDA: ['copy', 'plumb', 'inspection', 'carry', 'black', 'irish', 'queen']
Original Request: Copies of any plumbing inspections carried out at the Black Irish Pub - 235 Queen St. E., between Jun. to Jul. 2016.
Tokens prepared for LDA: ['copy', 'plumb', 'inspection', 'carry', 'black', 'irish', 'queen']
Original Request: Record of the total disaggregated number of reported needle-stick injuries sustained by individuals in a 2km radius of the Yonge/Dundas intersection; pursuant to the Mandatory Blood Testing Act, the Emergency Services Workers' Protocol, and any ad hoc com
Tokens prepared for LDA: ['record', 'total', 'disaggregate', 'report', 'needle', 'stick', 'injury', 'sustain', 'individual', 'radius', 'yonge', 'dundas', 'intersection', 'pursuant', 'mandatory', 'blood', 'testing', 'emergency', 'services', 'worker', 'protocol']
Original Request: Copies of all building permits issued to {} from Jan. 1, 1970 to Jan. 1, 2017.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'january', 'january']
Original Request: Copies of all building permits issued to {} under permit #242449 from Oct. 8, 1986 to May 7, 1987.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'permit', '242449', 'october']
Original Request: Copies of all Toronto Water records for {} in relation to reference # 4980265, 5027942, 51202454, 5191152 and any other related records within the specified time frame. Record search from Dec. 25, 2017 to Apr. 1, 2018.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'relation', 'reference', '4980265', '5027942', '51202454', '5191152', 'relate', 'record', 'specify', 'frame', 'record', 'search', 'december', 'april']
Original Request: All contracts and costs / modifications and over runs for the full project of the Chorley Park Hill path / paving project. Please include any RFP associated with the project.
Tokens prepared for LDA: ['contract', 'modification', 'project', 'chorley', 'project', 'include', 'associate', 'project']
Original Request: All contracts and costs / modifications and over runs for the full project of the Chorley Park Hill path / paving project. Please include any RFP associated with the project.
Tokens prepared for LDA: ['contract', 'modification', 'project', 'chorley', 'project', 'include', 'associate', 'project']
Original Request: For the property at {} , all inspections, permits, complaint records from Toronto Building, ML&S; all records relating to water issues from Toronto Water. Record search from 2003 to present.
Tokens prepared for LDA: ['property', 'inspection', 'permit', 'complaint', 'record', 'toronto', 'building', 'record', 'relate', 'water', 'issue', 'toronto', 'water', 'record', 'search', 'present']
Original Request: Record of any open zoning violations or property standard complaints concerning {}.
Tokens prepared for LDA: ['record', 'violation', 'property', 'standard', 'complaint', 'concern']
Original Request: All records from ML&S relating to disputes of the property at {} from 2013 to present.
Tokens prepared for LDA: ['record', 'relate', 'dispute', 'property', 'present']
Original Request: Records related to damage/replacement of the rush-hour barrier gate at the Gardiner Expressway westbound on-ramp at Jameson Avenue. Record search from Apr. 1, 2014 to Mar. 31, 2018.
Tokens prepared for LDA: ['record', 'relate', 'damage', 'replacement', 'barrier', 'gardiner', 'expressway', 'westbound', 'jameson', 'avenue', 'record', 'search', 'april', 'march']
Original Request: Record of all building permit and permit application documents for {} including, licensing and permits issued for business operation. Record search from as far back as possible to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'permit', 'application', 'document', 'include', 'license', 'permit', 'issue', 'business', 'operation', 'record', 'search', 'possible', 'present']
Original Request: A copy of the most recent tree inspection report on file for {}.
Tokens prepared for LDA: ['recent', 'inspection', 'report']
Original Request: Record of property standards and Toronto Public Health inspection reports for {} in matters relating to safety, moldy odour and repairs. Inspections were performed on Jul. 13, 2017, Apr. 4, 2017, Nov. 15, 2017 a
Tokens prepared for LDA: ['record', 'property', 'standard', 'toronto', 'public', 'health', 'inspection', 'report', 'matter', 'relate', 'safety', 'moldy', 'odour', 'repair', 'inspection', 'perform', 'april', 'november']
Original Request: A copy of 311 call record of a slip and fall report made by {} while on the outside the property located at 2300 Lawrence Ave E. - White Shield Plaza. Incident occurred at 9:40 am, reported between 10:00 - 2:00 pm.
Tokens prepared for LDA: ['record', 'report', 'outside', 'property', 'locate', 'lawrence', 'white', 'shield', 'plaza', 'incident', 'occur', 'report', '10:00']
Original Request: Maintenance, inspection and snow removal records for the intersection of Lakeshore Blvd. W. (south side) near Long Branch Loop; as well as related contracts for the period Jan. 1, 2014 to present.
Tokens prepared for LDA: ['maintenance', 'inspection', 'removal', 'record', 'intersection', 'lakeshore', 'south', 'branch', 'relate', 'contract', 'period', 'january', 'present']
Original Request: Information on complainant who filed complaints relating to building code issues and fire code issues on {} from Jan. 2014 to present.
Tokens prepared for LDA: ['information', 'complainant', 'complaint', 'relate', 'build', 'issue', 'issue', 'january', 'present']
Original Request: A copy of building applications and inspection notes for {} under file # 17-188343 BLD, 17-218081 BLD 00 and 17-218081 BLD 01. Record search from March 2017 to present.
Tokens prepared for LDA: ['build', 'application', 'inspection', '188343', '218081', '218081', 'record', 'search', 'march', 'present']
Original Request: All documentation and details relating to the MLS Utilities Service Disconnect Request # 5110963, and Toronto Water Service Request # 5110968 (emergency water disconnect) for {}. Both requests were initiated on Jan. 24, 2018.
Tokens prepared for LDA: ['documentation', 'relate', 'utility', 'service', 'disconnect', 'request', '5110963', 'toronto', 'water', 'service', 'request', '5110968', 'emergency', 'water', 'disconnect', 'request', 'initiate', 'january']
Original Request: E-mails between Carolyn.Taylor@toronto.ca and {} (both and from) from May 10 to May 31, 2017 that relate to Relay 2017, Relay 150, Toronto Foundation, May 2017.
Tokens prepared for LDA: ['carolyn.taylor@toronto.ca', 'relate', 'relay', 'relay', 'toronto', 'foundation']
Original Request: Any e-mails, reports, inspection reports, or other records pertaining to 1 King St. W, regarding whether the EIFS cladding on its west wall is a violation of the Ontario Building Code or other fire or safety rules or regulations.
Tokens prepared for LDA: ['report', 'inspection', 'report', 'record', 'pertain', 'regard', 'violation', 'ontario', 'building', 'safety', 'regulation']
Original Request: Record from arborist that visited {} in 2017 determining that a maple tree on City Property was to be removed because it was dead.
Tokens prepared for LDA: ['record', 'arborist', 'visit', 'determine', 'maple', 'property', 'remove']
Original Request: Court docket backlog statistics, ex-Administrative Penalty Tribunal: 1. An annual tally, from 2012 to 2017, inclusive, of all park/stand/stop certificates of offence which were disputed by the defendants (i.e. filed to challenge the offence in court).
Tokens prepared for LDA: ['court', 'docket', 'backlog', 'statistic', 'administrative', 'penalty', 'tribunal', 'annual', 'tally', 'inclusive', 'stand', 'certificate', 'offence', 'dispute', 'defendant', 'challenge', 'offence', 'court']
Original Request: All building inspection reports and notes for building permit # 13 242914 BLD 00 SR and 14-150854 BLD 00 SR for {}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'build', 'permit', '242914', '150854']
Original Request: Any reports or inspections done by Building, Fire inspections, ML&S for the property at {}, Etobicoke. Record search from Jan. 1, 2016 to April 10, 2018.
Tokens prepared for LDA: ['report', 'inspection', 'building', 'inspection', 'property', 'etobicoke', 'record', 'search', 'january', 'april']
Original Request: A copy of the complete investigation file, including copies of audio recordings, documents, e-mails, witness statements, records, voice messages, relating to requester's complaint against {} dated Dec. 5, 2017.
Tokens prepared for LDA: ['complete', 'investigation', 'include', 'audio', 'recording', 'document', 'witness', 'statement', 'record', 'voice', 'message', 'relate', 'requester', 'complaint', 'december']
Original Request: Number of inspections carried out by ML&S officer from By-Law Enforcement Waste Division during June 1, 2017 to Sept. 30, 2017. Please provide each district separately with number of officers respectively.
Tokens prepared for LDA: ['number', 'inspection', 'carry', 'officer', 'enforcement', 'waste', 'division', 'september', 'provide', 'district', 'separately', 'officer', 'respectively']
Original Request: Medical and keeper records held by Toronto Zoo for the following animals: all primates, cheetahs, lions, arctic wolves, polar bears, pandas, European reindeer, bactrian camels, chamois, mouflon
Tokens prepared for LDA: ['medical', 'keeper', 'record', 'toronto', 'follow', 'animal', 'primate', 'cheetah', 'arctic', 'polar', 'panda', 'european', 'reindeer', 'bactrian', 'camel', 'chamois', 'mouflon']
Original Request: For the property at {}, a copy of building application for building/construction permits submitted between Aug. 1, 2011 and Jan. 1, 2012; a copy of the building permit for constructing a new building issued during the same period.
Tokens prepared for LDA: ['property', 'build', 'application', 'build', 'construction', 'permit', 'submit', 'august', 'january', 'build', 'permit', 'construct', 'build', 'issue', 'period']
Original Request: Any complaints made to the City of Toronto regarding vehicles parked on Elm Ridge Dr., i.e. complaints logged in TMMS whether originating by 311 call or road patrol. Records from Officer T. Heald (87958 PKW) relating to parking violation notice NP147863
Tokens prepared for LDA: ['complaint', 'toronto', 'regard', 'vehicle', 'ridge', 'complaint', 'originate', 'patrol', 'record', 'officer', 'heald', '87958', 'relate', 'violation', 'notice', 'np147863']
Original Request: 1. Total number of licensed business in Toronto (divided into different category of business). 2. Total number of charges and conviction of violation of by-law (divided into different category of business).
Tokens prepared for LDA: ['total', 'license', 'business', 'toronto', 'divide', 'different', 'category', 'business', 'total', 'charge', 'conviction', 'violation', 'divide', 'different', 'category', 'business']
Original Request: All documents from Toronto Fire Services relating to the fire incident at {} on April 27, 2016 including any notes made by firefighters.
Tokens prepared for LDA: ['document', 'toronto', 'services', 'relate', 'incident', 'april', 'include', 'firefighter']
Original Request: Any clearance record from the City to show that the property at {} Scarborough had been cleaned up after grow op found in 2005. Record search from 2005 to 2018.
Tokens prepared for LDA: ['clearance', 'record', 'property', 'scarborough', 'clean', 'record', 'search']
Original Request: Please provide the following information relating to complaint filed by {} to Public Health on Feb. 6, 7, 2018 of the property owners' planned applicaton of a noxious substance (chemical sealant) on the concrete floor of the indoor garage .
Tokens prepared for LDA: ['provide', 'follow', 'information', 'relate', 'complaint', 'public', 'health', 'february', 'property', 'owner', 'applicaton', 'noxious', 'substance', 'chemical', 'sealant', 'concrete', 'floor', 'indoor', 'garage']
Original Request: A copy of lease betwen Keele Community Centre, located at 181 Glenlake Ave, and the Toronto District School Board.
Tokens prepared for LDA: ['lease', 'betwen', 'keele', 'community', 'centre', 'locate', 'glenlake', 'toronto', 'district', 'school', 'board']
Original Request: A complete copy of the dog attack incident report for the incident that occurred on Nov. 16, 2017 around 7.30 pm at/or near the location of 61 Kentish Cres., Scarborough, where {} sustained injuries.
Tokens prepared for LDA: ['complete', 'attack', 'incident', 'report', 'incident', 'occur', 'november', 'location', 'kentish', 'scarborough', 'sustain', 'injury']
Original Request: Confirmation of insurance on Taxi # 2283 from Oct. 1 to Oct. 31, 2016.
Tokens prepared for LDA: ['confirmation', 'insurance', 'october', 'october']
Original Request: All call records from 311 relating to the pipes/flooding issues at {} from Sept. 1, 2017 to April 1, 2018, including Toronto Water inspection records. 311 ref #s 5105229 (Jan. 19, 2018); 5119044 (Jan. 29, 2018). Search must include ALL
Tokens prepared for LDA: ['record', 'relate', 'flood', 'issue', 'september', 'april', 'include', 'toronto', 'water', 'inspection', 'record', '5105229', 'january', '5119044', 'january', 'search', 'include']
Original Request: A complete copy of animal services file, witness statements and any officers' notes relating to the dog bite incident on March 11, 2018 near 228 Bay Mills Blvd. {} sustained injuries from this incident.
Tokens prepared for LDA: ['complete', 'animal', 'service', 'witness', 'statement', 'officer', 'relate', 'incident', 'march', 'mills', 'sustain', 'injury', 'incident']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: A copy of ML&S investigative records following incident at {} on Mar. 26, 2018. Attending officer Jerry Higgins # A252.
Tokens prepared for LDA: ['investigative', 'record', 'follow', 'incident', 'march', 'attending', 'officer', 'jerry', 'higgins']
Original Request: A copy of encroachment agreement for {} on file # 96927 as made on Nov. 21, 2015; including any drawings or plan.
Tokens prepared for LDA: ['encroachment', 'agreement', '96927', 'november', 'include', 'drawing']
Original Request: Record of all ML&S complaints filed in relating to {} from Jan. 1, 2008 to present.
Tokens prepared for LDA: ['record', 'complaint', 'relate', 'january', 'present']
Original Request: Record of any property standards investigations concerning {} Please also include search of records for {350-A Broadview}
Tokens prepared for LDA: ['record', 'property', 'standard', 'investigation', 'concern', 'include', 'search', 'record', '350-a', 'broadview']
Original Request: Copies of all complaints of related to heating deficiencies at {} from Jan. 1, 2016 to Apr. 9, 2018.
Tokens prepared for LDA: ['copy', 'complaint', 'relate', 'deficiency', 'january', 'april']
Original Request: A copy of letter of confirmation-occupancy certificate, including building and demolition permit, for {}.
Tokens prepared for LDA: ['letter', 'confirmation', 'occupancy', 'certificate', 'include', 'build', 'demolition', 'permit']
Original Request: A copy of letter of confirmation-occupancy certificate, including building and demolition permit, for {}.
Tokens prepared for LDA: ['letter', 'confirmation', 'occupancy', 'certificate', 'include', 'build', 'demolition', 'permit']
Original Request: A copy of letter of confirmation-occupancy certificate, including building and demolition permit, for {}.
Tokens prepared for LDA: ['letter', 'confirmation', 'occupancy', 'certificate', 'include', 'build', 'demolition', 'permit']
Original Request: A copy of letter of confirmation-occupancy certificate, including building and demolition permit, for {}.
Tokens prepared for LDA: ['letter', 'confirmation', 'occupancy', 'certificate', 'include', 'build', 'demolition', 'permit']
Original Request: All building permit documents, drawings, building inspection notes and records for {} that have ever existed.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'build', 'inspection', 'record', 'exist']
Original Request: Photographs for the items listed in violation of Toronto Municipal Code, Chapter 629, Property Standards Folder # 18 135845 PRS 00 IV, for order by Kate Novia to {} on April 3, 2018.
Tokens prepared for LDA: ['photograph', 'violation', 'toronto', 'municipal', 'chapter', 'property', 'standard', 'folder', '135845', 'order', 'novia', 'april']
Original Request: All records pertaining to {}, in relation to the trip and fall incident on Oct. 18, 2015 at {}.
Tokens prepared for LDA: ['record', 'pertain', 'relation', 'incident', 'october']
Original Request: All City of Toronto e-mails with {email } as the sender, or primary recipient, or carbon copy recipient, or blind carbon copy recipient, from Feb. 25, 2018 to April 25, 2018 related to City business. Please restrict search to 3 hours.
Tokens prepared for LDA: ['toronto', 'email', 'sender', 'primary', 'recipient', 'carbon', 'recipient', 'blind', 'carbon', 'recipient', 'february', 'april', 'relate', 'business', 'restrict', 'search']
Original Request: A complete copy of building file for {} from 2012 to present.
Tokens prepared for LDA: ['complete', 'build', 'present']
Original Request: A complete copy of building file for {} from 2012 to present.
Tokens prepared for LDA: ['complete', 'build', 'present']
Original Request: Record of the diameter of water service line supplying {}.
Tokens prepared for LDA: ['record', 'diameter', 'water', 'service', 'supply']
Original Request: All records (including e-mail, video/audio) concerning complaint filed against City Taxi, taxicab 2984 - on May 21, 2017; reference # B72019. A complete copy of driver record information for {}.
Tokens prepared for LDA: ['record', 'include', 'video', 'audio', 'concern', 'complaint', 'taxicab', 'reference', 'b72019', 'complete', 'driver', 'record', 'information']
Original Request: A copy of investigative report from Toronto Fire Services following inspection at {} in Feb. and Mar. 2018.
Tokens prepared for LDA: ['investigative', 'report', 'toronto', 'services', 'follow', 'inspection', 'february', 'march']
Original Request: A copy of investigative report from Toronto Fire Services following inspection at {} in Feb. and Mar. 2018.
Tokens prepared for LDA: ['investigative', 'report', 'toronto', 'services', 'follow', 'inspection', 'february', 'march']
Original Request: In reference to Auditor General's review of Business License- Part two Holistic Centre, Table 2 (p.19) finding of 10 PHAs the following is requested: 1. Any communication, and/or report about the investigation and the individual report of each PHA etc.
Tokens prepared for LDA: ['reference', 'auditor', 'general', 'review', 'business', 'license-', 'holistic', 'centre', 'table', 'follow', 'request', 'communication', 'and/or', 'report', 'investigation', 'individual', 'report']
Original Request: Copy of animal services report into complaints concerning the care of three cats at {}. Inspection occurred on Apr. 11, 2018.
Tokens prepared for LDA: ['animal', 'service', 'report', 'complaint', 'concern', 'inspection', 'occur', 'april']
Original Request: Record of all building permit applications and inspection reports for {} from May 17, 2004 to Jul. 30, 2007.
Tokens prepared for LDA: ['record', 'build', 'permit', 'application', 'inspection', 'report']
Original Request: Copies of Toronto Building and Toronto Fire Services files regarding {} including all open and closed permits.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'toronto', 'services', 'regard', 'include', 'close', 'permit']
Original Request: Any briefing notes, memos or reports prepared by staff or external consultants for both the Mayor and City Manager that contain information about the real-estate market and revenue or revenue projections for the Municipal Land Transfer Tax (MLTT).
Tokens prepared for LDA: ['brief', 'report', 'prepare', 'staff', 'external', 'consultant', 'mayor', 'manager', 'contain', 'information', 'estate', 'market', 'revenue', 'revenue', 'projection', 'municipal', 'transfer']
Original Request: Record of all building inspections records for {} from Jan. 2, 1979 to Dec. 1, 2015.
Tokens prepared for LDA: ['record', 'build', 'inspection', 'record', 'january', 'december']
Original Request: All records relating to maintenance, inspection and construction along grassy boulevard the north side of Melrose Ave., about 10-20 metres east of its intersection with Avenue Rd. All 311 calls, injury notices and other complaints received by City etc.
Tokens prepared for LDA: ['record', 'relate', 'maintenance', 'inspection', 'construction', 'grassy', 'boulevard', 'north', 'melrose', 'metre', 'intersection', 'avenue', 'injury', 'notice', 'complaint', 'receive']
Original Request: A complete copy of building file for {} and {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: All zoning documentation regarding {} from 1921 to present.
Tokens prepared for LDA: ['documentation', 'regard', 'present']
Original Request: A copy of ML&S investigative records concerning reports dirty stairwell at {}. Record of the number of times Toronto Fire Services have responded to persons being stuck in the elevator of the aforementioned. Record search from 2005 to present.
Tokens prepared for LDA: ['investigative', 'record', 'concern', 'report', 'dirty', 'stairwell', 'record', 'toronto', 'services', 'respond', 'person', 'stick', 'elevator', 'aforementioned', 'record', 'search', 'present']
Original Request: A copy of Union Station Occupancy Load Assessment for the East Wing, prepared by Halcrow Yolles (now CH2M), dated between 2010 - 2012. Permit # 12 183 506 for 65 Front St. W.
Tokens prepared for LDA: ['union', 'station', 'occupancy', 'assessment', 'prepare', 'halcrow', 'yolles', 'permit']
Original Request: A copy of the invoice (or invoices) submitted to the property owner of {} for exterior work undertaken by the City (or its Contractor) in cleaning up the premises. Record search from Jan. 1, 2015 to Dec. 31, 2017.
Tokens prepared for LDA: ['invoice', 'invoice', 'submit', 'property', 'owner', 'exterior', 'undertake', 'contractor', 'clean', 'premise', 'record', 'search', 'january', 'december']
Original Request: A copy of the invoice (or invoices) submitted to the property owner of {} for exterior work undertaken by the City (or its Contractor) in cleaning up the premises. Record search from Jan. 1, 2015 to Dec. 31, 2017.
Tokens prepared for LDA: ['invoice', 'invoice', 'submit', 'property', 'owner', 'exterior', 'undertake', 'contractor', 'clean', 'premise', 'record', 'search', 'january', 'december']
Original Request: A copy of alternative solution, fire safety plan and study application presented to the City by We Work, a potential tenant at 40 King St. W. -Scotia Plaza in 2016.
Tokens prepared for LDA: ['alternative', 'solution', 'safety', 'study', 'application', 'present', 'potential', 'tenant', '-scotia', 'plaza']
Original Request: All building records for {} concerning approval for construction and operation of a basement apartment.
Tokens prepared for LDA: ['build', 'record', 'concern', 'approval', 'construction', 'operation', 'basement', 'apartment']
Original Request: A copy of Toronto Public Health inspection report(s) concerning Sanazy's Preschool at 936 Avenue Rd. TPH contact Lall Singh.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'inspection', 'report(s', 'concern', 'sanazy', 'preschool', 'avenue', 'contact', 'singh']
Original Request: A copy of fire safety inspection report for {} on or about Mar. 2, 2018.
Tokens prepared for LDA: ['safety', 'inspection', 'report', 'march']
Original Request: A copy of CCTV video recording of sewer pipe clean out at {}(private side). Record search from Mar. 9, 2018 to present.
Tokens prepared for LDA: ['video', 'record', 'sewer', 'clean', 'private', 'record', 'search', 'march', 'present']
Original Request: Copies of all building permit applications, reports and correspondence on file for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'report', 'correspondence']
Original Request: Record of any existing orders issued to {} with respect to on or off-street parking permits and approvals.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'respect', 'street', 'permit', 'approval']
Original Request: Record of any existing orders, investigations or outstanding amounts regarding {} with respect to property standard issues. Any StreeteART (StART) applications received in relation to the aforementioned property.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'outstanding', 'regard', 'respect', 'property', 'standard', 'issue', 'streeteart', 'start', 'application', 'receive', 'relation', 'aforementioned', 'property']
Original Request: A copy of all complaint records from 311, ML&S and fire inspection for {}, Toronto from Jan. 2018 to present. The issue is on illegal rooming house.
Tokens prepared for LDA: ['complaint', 'record', 'inspection', 'toronto', 'january', 'present', 'issue', 'illegal', 'house']
Original Request: Plumbing and draining inspection report with details and comments for {}, Etobicoke. Record search from Jan. 2015 to Oct. 2016.
Tokens prepared for LDA: ['plumbing', 'drain', 'inspection', 'report', 'comment', 'etobicoke', 'record', 'search', 'january', 'october']
Original Request: A copy of dog bite incident report for File # A18011621 for the incident that occurred on March 8, 2018 at {.} Etobicoke.
Tokens prepared for LDA: ['incident', 'report', 'a18011621', 'incident', 'occur', 'march', 'etobicoke']
Original Request: Record of any business licensing information for the provision of contracting/renovation services in the City of Toronto under the names Mauricio Perez, Mauricio Andres Perez Epalza, MP Contracting & Project Management Corp. and/or MP Contracting etc.
Tokens prepared for LDA: ['record', 'business', 'license', 'information', 'provision', 'contract', 'renovation', 'service', 'toronto', 'mauricio', 'perez', 'mauricio', 'andres', 'perez', 'epalza', 'contracting', 'project', 'management', 'corp.', 'and/or', 'contracting']
Original Request: Record of inspection notes and CCTV camera footage of sewage system pipes supplying {}. The requested records should show most recent inspection(s) and composition detail for the entire line, including portion which the City stated etc.
Tokens prepared for LDA: ['record', 'inspection', 'camera', 'footage', 'sewage', 'supply', 'request', 'record', 'recent', 'inspection(s', 'composition', 'entire', 'include', 'portion', 'state']
Original Request: Copies of all building records for {} from Jul. 20, 2012 to Jan. 15, 2015.
Tokens prepared for LDA: ['copy', 'build', 'record', 'january']
Original Request: All records produced to the City by Andrews Engineer in relation to tree located at the bottom, east side of Eleventh St., next to Lake Ontario. A complete copy of the City's file concerning this tree as well as all related e-mails from assigned staff etc
Tokens prepared for LDA: ['record', 'produce', 'andrews', 'engineer', 'relation', 'locate', 'eleventh', 'ontario', 'complete', 'concern', 'relate', 'assign', 'staff']
Original Request: All records produced to the City by Andrews Engineer in relation to tree located at the bottom, east side of Eleventh St., next to Lake Ontario. A complete copy of the City's file concerning this tree as well as all related e-mails from assigned staff etc
Tokens prepared for LDA: ['record', 'produce', 'andrews', 'engineer', 'relation', 'locate', 'eleventh', 'ontario', 'complete', 'concern', 'relate', 'assign', 'staff']
Original Request: Daily Shelter Census numbers and (or including) winter overnight services usage for April 4 and April 6, 7, and 8 in 2018. Winter overnight services *includes* Out of the Cold sites as well as Women's 24-hour women's drop-ins and 24-hour respite etc.
Tokens prepared for LDA: ['daily', 'shelter', 'census', 'number', 'include', 'winter', 'overnight', 'service', 'usage', 'april', 'april', 'winter', 'overnight', 'service', 'include', 'woman', '24-hour', 'woman', '24-hour', 'respite']
Original Request: An electronic copy of the collected e-mail reports/messages about Grenadier Pond ice thickness covering the 2017-2018 season; including, any pictures and charts. Record search from Nov. 29, 2017 to Feb. 28, 2018.
Tokens prepared for LDA: ['electronic', 'collect', 'report', 'message', 'grenadier', 'thickness', 'cover', 'season', 'include', 'picture', 'chart', 'record', 'search', 'november', 'february']
Original Request: Record of the cost (if any) to the City for all consultants' reports relating to the master plan prepared about Toronto Botanical Garden and Edwards Gardens. The companies mentioned in the Master Plan are Scott Torrance Landscape Architect etc.
Tokens prepared for LDA: ['record', 'consultant', 'report', 'relate', 'master', 'prepare', 'toronto', 'botanical', 'garden', 'edwards', 'garden', 'company', 'mention', 'master', 'scott', 'torrance', 'landscape', 'architect']
Original Request: A copy of memoranda of understanding or other agreements between the Canada Border Services Agency and the City of Toronto, Municipal Licensing and Standards Division, plus statistics on the number of joint investigations carried out by these two etc.
Tokens prepared for LDA: ['memorandum', 'understand', 'agreement', 'canada', 'border', 'services', 'agency', 'toronto', 'municipal', 'license', 'standard', 'division', 'statistic', 'joint', 'investigation', 'carry']
Original Request: Any policy document or action plans established in relation to anti-trafficking initiatives. Record search from Apr. 1, 2016 to Apr. 1, 2018.
Tokens prepared for LDA: ['policy', 'document', 'action', 'establish', 'relation', 'traffic', 'initiative', 'record', 'search', 'april', 'april']
Original Request: Any communication (e-mails, memos, etc.) between any manager, director and/or staff of Municipal Licensing and Standards Division with respect to anti-trafficking and/or anti-prostitution/sex work. Record search from April 1, 2016 and April 1, 2018.
Tokens prepared for LDA: ['communication', 'manager', 'director', 'and/or', 'staff', 'municipal', 'license', 'standard', 'division', 'respect', 'traffic', 'and/or', 'prostitution', 'record', 'search', 'april', 'april']
Original Request: List of the names and e-mail addresses of all managers and team leaders of the Municipal and Licensing Division, involved in the planning and enforcement of inspection initiatives involving body rub parlours, body rubbers, holistic health centres etc.
Tokens prepared for LDA: ['address', 'manager', 'leader', 'municipal', 'license', 'division', 'involve', 'enforcement', 'inspection', 'initiative', 'involve', 'parlour', 'rubber', 'holistic', 'health', 'centre']
Original Request: Any communication (e-mails, memos, etc.) from Rick Gobio in his capacity as liaison with Canadian Border Services Agency or other, as they pertain to Municipal Licensing and Standards Division's management of business licences and anti-trafficking etc.
Tokens prepared for LDA: ['communication', 'gobio', 'capacity', 'liaison', 'canadian', 'border', 'services', 'agency', 'pertain', 'municipal', 'license', 'standard', 'division', 'management', 'business', 'licence', 'traffic']
Original Request: A copy of incident report from security staff concerning slip and fall injury sustained by {} on April 17, 2018 between 4-6 pm at Union Station.
Tokens prepared for LDA: ['incident', 'report', 'security', 'staff', 'concern', 'injury', 'sustain', 'april', 'union', 'station']
Original Request: Record of 311 call transcripts of calls made by {}, in relation to leaning tree against power lines at {}. Record search from Jan. 1, 2016 to Apr. 19, 2018.
Tokens prepared for LDA: ['record', 'transcript', 'relation', 'power', 'record', 'search', 'january', 'april']
Original Request: A copy of fire inspection reports and orders issued to {} including, a copy of "entry letter/entry warrant" issued for Jan. 25, 2018. Record search from Jan. 15, 2018 to Jan 25, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'issue', 'include', 'entry', 'letter', 'entry', 'warrant', 'issue', 'january', 'record', 'search', 'january']
Original Request: Copies of all permit applications, reports (CCMC, BMEC etc.), correspondence, original construction building plans and shop drawings for {}.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'report', 'correspondence', 'original', 'construction', 'build', 'drawing']
Original Request: Copies of all permit applications, reports (CCMC, BMEC etc.), correspondence, original construction building plans and shop drawings for {}.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'report', 'correspondence', 'original', 'construction', 'build', 'drawing']
Original Request: A copy of order issued to {} under file #16 268692 PRS 00 IV ON Dec. 19, 2016.
Tokens prepared for LDA: ['order', 'issue', '268692', 'december']
Original Request: A copy of ML&S by-law violation issued to {} under file #17 279477 ZON 00 IV.
Tokens prepared for LDA: ['violation', 'issue', '279477']
Original Request: Record of all complaints, including respective investigative records in relation to {}. Record search from Jan. 1, 2016 to Apr. 19, 2018.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'respective', 'investigative', 'record', 'relation', 'record', 'search', 'january', 'april']
Original Request: Record of all complaints, including respective investigative records in relation to {}. Record search from Jan. 1, 2016 to Apr. 19, 2018.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'respective', 'investigative', 'record', 'relation', 'record', 'search', 'january', 'april']
Original Request: Any and all documents and correspondence in the possession and/or custody of the Toronto Parking Authority: 1) in relation to the Intelligarde International Inc. (Intelligrade) and services provided by Intelligarde; 2) all minutes of health and safety
Tokens prepared for LDA: ['document', 'correspondence', 'possession', 'and/or', 'custody', 'toronto', 'parking', 'authority', 'relation', 'intelligarde', 'international', 'intelligrade', 'service', 'provide', 'intelligarde', 'minute', 'health', 'safety']
Original Request: Recent policies from the Municipal By-law enforcement on inspecting the uniforms of body rub parlour attendants, in particular, ML&S specific written policies beyond the by-laws that involve by-law officers' abilities to inspect attendants uniforms.
Tokens prepared for LDA: ['recent', 'policy', 'municipal', 'enforcement', 'inspect', 'uniform', 'parlour', 'attendant', 'particular', 'specific', 'write', 'policy', 'involve', 'officer', 'ability', 'inspect', 'attendant', 'uniform']
Original Request: Record of all property standards complaints made by {} in relation to {}. Record search 2010 to 2017.
Tokens prepared for LDA: ['record', 'property', 'standard', 'complaint', 'relation', 'record', 'search']
Original Request: A copy of fire alarm retrofit report and description for {} from Jan. 1, 1998 to Dec. 31, 1998.
Tokens prepared for LDA: ['alarm', 'retrofit', 'report', 'description', 'january', 'december']
Original Request: Copies of all zoning review and clearance documents relating to the issuance of permits and business license to ANS Auto Garage (2011306 Ontario Ltd.) - 9 Dibble St., under license No. B68-3596842.
Tokens prepared for LDA: ['copy', 'review', 'clearance', 'document', 'relate', 'issuance', 'permit', 'business', 'license', 'garage', '2011306', 'ontario', 'dibble', 'license', '3596842']
Original Request: Records detailing the physical composition and features of City water supply to {} including information on any upgrades made.
Tokens prepared for LDA: ['record', 'physical', 'composition', 'feature', 'water', 'supply', 'include', 'information', 'upgrade']
Original Request: A complete copy of the dog attack incident report A18-009624. Record search from Jan. 1, 2018 to Apr. 1, 2018.
Tokens prepared for LDA: ['complete', 'attack', 'incident', 'report', '009624', 'record', 'search', 'january', 'april']
Original Request: Record of all permits for U/G drains at {} including, any changes to the grading of the property of other which may impact water drainage. Record search from 1961 to 2018.
Tokens prepared for LDA: ['record', 'permit', 'drain', 'include', 'change', 'grade', 'property', 'impact', 'water', 'drainage', 'record', 'search']
Original Request: Copies of all zoning review and clearance documents relating to the issuance of permits and business license to Practicar Car Rental (1776847 Ontario Ltd.) - 7 Dibble St., under license No. B20-4429320.
Tokens prepared for LDA: ['copy', 'review', 'clearance', 'document', 'relate', 'issuance', 'permit', 'business', 'license', 'practicar', 'rental', '1776847', 'ontario', 'dibble', 'license', '4429320']
Original Request: Copies of building inspection notes for {} from inspector Ted Winiarz. Record search from Nov. 2, 2016 to Apr. 4, 2018.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'inspector', 'winiarz', 'record', 'search', 'november', 'april']
Original Request: A complete copy of Toronto Water file in relation to water main break on Oct. 7, 2017 (Dovercourt Rd. north of Bloor St. W.), which affected {}. Including, but not limited to all record relating to line maintenance, designs etc.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'relation', 'water', 'break', 'october', 'dovercourt', 'north', 'bloor', 'affect', 'include', 'limit', 'record', 'relate', 'maintenance', 'design']
Original Request: A complete copy of Toronto Water file in relation to water main break on Oct. 7, 2017 (Dovercourt Rd. north of Bloor St. W.), which affected {}. Including, but not limited to all record relating to line maintenance, designs etc.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'relation', 'water', 'break', 'october', 'dovercourt', 'north', 'bloor', 'affect', 'include', 'limit', 'record', 'relate', 'maintenance', 'design']
Original Request: Record of any maintenance work being done on the roadway at or near {}. Record search from May 25, 2015 to May 26, 2016.
Tokens prepared for LDA: ['record', 'maintenance', 'roadway', 'record', 'search']
Original Request: A copy of previous bids for the non-exclusive supply, delivery, installation and warranty of "artificial turf" for the City of Toronto's Municipal Licensing and Standards Division - Toronto Animal Services at 1300 Sheppard Ave West etc.
Tokens prepared for LDA: ['previous', 'exclusive', 'supply', 'delivery', 'installation', 'warranty', 'artificial', 'toronto', 'municipal', 'license', 'standard', 'division', 'toronto', 'animal', 'services', 'sheppard']
Original Request: A copy of inspection report concerning water leak in portion of basement at {}. Record search from Mar. 19, 2018 to Apr. 13, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'concern', 'water', 'portion', 'basement', 'record', 'search', 'march', 'april']
Original Request: All records relating to flooding or the occurrence leaks at {.} Record search from Jan. 1, 2010 to Apr. 23, 2018.
Tokens prepared for LDA: ['record', 'relate', 'flood', 'occurrence', 'record', 'search', 'january', 'april']
Original Request: A copy of inspection records following sewer back up in basement portion of {} on Apr. 16 & 17, 2018.
Tokens prepared for LDA: ['inspection', 'record', 'follow', 'sewer', 'basement', 'portion', 'april']
Original Request: A copy of fire prevention records for {}. Record search from Jan. 1, 2017 to April 20, 2018.
Tokens prepared for LDA: ['prevention', 'record', 'record', 'search', 'january', 'april']
Original Request: Records on the mobile payment for parking service (GreenP Parking App) provided to Toronto Parking Authority by Passport Parking Inc.
Tokens prepared for LDA: ['record', 'mobile', 'payment', 'service', 'greenp', 'parking', 'provide', 'toronto', 'parking', 'authority', 'passport', 'parking']
Original Request: Copies of all zoning certificates and clearance applications for {} as well as, permit applications and all supporting documents under 18 133896 EYK 00 RD. Record search from Jan. 1 1995 to Apr, 20, 2018.
Tokens prepared for LDA: ['copy', 'certificate', 'clearance', 'application', 'permit', 'application', 'support', 'document', '133896', 'record', 'search', 'january']
Original Request: Copies of all zoning certificates and clearance applications for {} as well as, permit applications and all supporting documents under 18 133896 EYK 00 RD. Record search from Jan. 1 1995 to Apr, 20, 2018.
Tokens prepared for LDA: ['copy', 'certificate', 'clearance', 'application', 'permit', 'application', 'support', 'document', '133896', 'record', 'search', 'january']
Original Request: Copies of all zoning certificates and clearance applications for {} as well as, permit applications and all supporting documents under 18 133896 EYK 00 RD. Record search from Jan. 1 1995 to Apr, 20, 2018.
Tokens prepared for LDA: ['copy', 'certificate', 'clearance', 'application', 'permit', 'application', 'support', 'document', '133896', 'record', 'search', 'january']
Original Request: A copy of fire inspection report for {} - basement portion, currently tenanted by {}. Inspection date April 4, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'basement', 'portion', 'currently', 'tenant', 'inspection', 'april']
Original Request: A copy of 2014-2015 zoning review certificate for {}.
Tokens prepared for LDA: ['review', 'certificate']
Original Request: A complete copy of building file for {} from 2008 to present.
Tokens prepared for LDA: ['complete', 'build', 'present']
Original Request: Record of fire investigative findings concerning fire which occurred at {} on Mar. 2-3, 2018.
Tokens prepared for LDA: ['record', 'investigative', 'finding', 'concern', 'occur', 'march']
Original Request: A copy of confidential attachment referenced in EX44.28 that was considered by City Council on Aug. 25, 2014; regarding "Acquisition of a portion of 20 Starview Lane..."
Tokens prepared for LDA: ['confidential', 'attachment', 'reference', 'ex44.28', 'consider', 'council', 'august', 'regard', 'acquisition', 'portion', 'starview']
Original Request: A complete copy of the dog attack incident report for the incident that occurred on Oct. 24, 2017 at {}, where {} sustained injuries.
Tokens prepared for LDA: ['complete', 'attack', 'incident', 'report', 'incident', 'occur', 'october', 'sustain', 'injury']
Original Request: All Toronto Fire records relating to {}. Record search from 1990 to March 2018.
Tokens prepared for LDA: ['toronto', 'record', 'relate', 'record', 'search', 'march']
Original Request: In excel format, requested are: the first and last names, title and cell/ mobile numbers (blackberry, windows, iphone, android, google+++) of all City employers, bureaucrats, and third parties paid for by the public.
Tokens prepared for LDA: ['excel', 'format', 'request', 'title', 'cell/', 'mobile', 'number', 'blackberry', 'window', 'iphone', 'android', 'google+++', 'employer', 'bureaucrat', 'party', 'public']
Original Request: Tax bills for Air Canada Centre at 40 Bay St. for 2017.
Tokens prepared for LDA: ['canada', 'centre']
Original Request: All e-mails records from building inspector Leigh Adams which relate to {}. Record search from Jan. 1, 2013 to Jun. 1, 2014.
Tokens prepared for LDA: ['record', 'build', 'inspector', 'leigh', 'adams', 'relate', 'record', 'search', 'january']
Original Request: Copies of inspection reports, notes and testing records regarding sound and insulation between the ground and 2nd floors of {} originally {}; ref. # 11-240002.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'record', 'regard', 'sound', 'insulation', 'grind', 'floor', 'originally', '240002']
Original Request: A copy of rezoning application concerning {}. Record search from 2006 to 2008.
Tokens prepared for LDA: ['rezoning', 'application', 'concern', 'record', 'search']
Original Request: A copy of the current City of Toronto Childcare Food Service Provider agreement and all its amendments; with Yummy Catering. Record of most recent payment made to Yummy Catering, their current pricing to the City along with the budgeted amounts for etc.
Tokens prepared for LDA: ['current', 'toronto', 'childcare', 'service', 'provider', 'agreement', 'amendment', 'yummy', 'catering', 'record', 'recent', 'payment', 'yummy', 'catering', 'current', 'price', 'budget']
Original Request: Copies of any minutes of meetings held between TRCA and City of Toronto as they pertain to {}.
Tokens prepared for LDA: ['copy', 'minute', 'meeting', 'toronto', 'pertain']
Original Request: Copies of base-in or in-ground structural support drawings for 170 Attwell Dr. Skyway Business Park (possibly associated with master site plan/development permit); as well as any record of non-compliance of bylaws etc.
Tokens prepared for LDA: ['copy', 'grind', 'structural', 'support', 'drawing', 'attwell', 'skyway', 'business', 'possibly', 'associate', 'master', 'development', 'permit', 'record', 'compliance', 'bylaw']
Original Request: All records (drawings, documents etc.) associated with fire investigation file for {}; including, past and current zoning documents. Reference file # 1996-084 BIA and B-8069.
Tokens prepared for LDA: ['record', 'drawing', 'document', 'associate', 'investigation', 'include', 'current', 'document', 'reference', 'b-8069']
Original Request: Copies of all plans related to repairs and/or renovations at {} from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['copy', 'relate', 'repair', 'and/or', 'renovation', 'january', 'present']
Original Request: A copy of Toronto Public Health reports in relation to rabies investigation, following dog bite incident involving {} on Mar. 26, 2018 at the {}.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'report', 'relation', 'rabies', 'investigation', 'follow', 'incident', 'involve', 'march']
Original Request: Records of all building related complaints regarding {} from Nov. 20, 2013 to Apr. 28, 2018.
Tokens prepared for LDA: ['record', 'build', 'relate', 'complaint', 'regard', 'november', 'april']
Original Request: Records of all complaints registered against {} from Jan. 1, 2005 to present.
Tokens prepared for LDA: ['record', 'complaint', 'register', 'january', 'present']
Original Request: A copy of permit drawings for {}.
Tokens prepared for LDA: ['permit', 'drawing']
Original Request: Copies of all permits and inspection documents for {} from 1996 - 1997.
Tokens prepared for LDA: ['copy', 'permit', 'inspection', 'document']
Original Request: Record of the diameter and composition of City water lines supplying {} including a copy of work order or other document which shows the point of origin and ending of the lines.
Tokens prepared for LDA: ['record', 'diameter', 'composition', 'water', 'supply', 'include', 'order', 'document', 'point', 'origin']
Original Request: Record of all instances in which citizens' personal information has been misplaced, mislaid, lost or otherwise compromised by City divisions; and, whether the citizen affected was notified. Record search from Jan. 1, 2016 to Jan. 1, 2018.
Tokens prepared for LDA: ['record', 'instance', 'citizen', 'personal', 'information', 'misplace', 'mislay', 'compromise', 'division', 'citizen', 'affect', 'notify', 'record', 'search', 'january', 'january']
Original Request: Record of any existing orders, complaints, investigations or outstanding amounts regarding {} with respect to property standard issues. Any StreeteART (StART) applications received in relation to the aforementioned property.
Tokens prepared for LDA: ['record', 'exist', 'order', 'complaint', 'investigation', 'outstanding', 'regard', 'respect', 'property', 'standard', 'issue', 'streeteart', 'start', 'application', 'receive', 'relation', 'aforementioned', 'property']
Original Request: Copies of soil investigation report and any other document relating to {} under permit # B-6404784.
Tokens prepared for LDA: ['copy', 'investigation', 'report', 'document', 'relate', 'permit', 'b-6404784']
Original Request: Copies of soil investigation report and any other document relating to {} under permit # B-6404784.
Tokens prepared for LDA: ['copy', 'investigation', 'report', 'document', 'relate', 'permit', 'b-6404784']
Original Request: All record in relation to the following active permits for {}: 04 153495 BLD 00 NH, 04 153495 DRN 00 DR, 06 168029 PLB 00 PS and 04 153495 HVA 00 MS. Record search from 2004 to 2006.
Tokens prepared for LDA: ['record', 'relation', 'follow', 'active', 'permit', '153495', '153495', '168029', '153495', 'record', 'search']
Original Request: A copy of RFP No. 16-28 (Fee Proposal Ecole Secondaire Toronto Est) that was issued through FRANCOachat and closed on Feb. 23, 2016.
Tokens prepared for LDA: ['proposal', 'ecole', 'secondaire', 'toronto', 'issue', 'francoachat', 'close', 'february']
Original Request: All records concerning fence investigative at {} this includes but is not limited to photos and documentation of recommendation for re-measuring of the fence height., date of closure etc. Record search from Jun. 13, 2005 to 2006.
Tokens prepared for LDA: ['record', 'concern', 'fence', 'investigative', 'include', 'limit', 'photo', 'documentation', 'recommendation', 'measure', 'fence', 'height', 'closure', 'record', 'search']
Original Request: Record of fire investigative findings, inspection reports and engineer's notes concerning fire which occurred at {} on Mar. 12, 2018.
Tokens prepared for LDA: ['record', 'investigative', 'finding', 'inspection', 'report', 'engineer', 'concern', 'occur', 'march']
Original Request: A copy of order comply issued against {} under building permit 17 193463 BLD 00 NH. Including inspection notes, reports and geotechnical soil report relating to drawings for helical pier installation. Record search from Aug. 2017 to May 2018
Tokens prepared for LDA: ['order', 'comply', 'issue', 'build', 'permit', '193463', 'include', 'inspection', 'report', 'geotechnical', 'report', 'relate', 'drawing', 'helical', 'installation', 'record', 'search', 'august']
Original Request: Record of all building permits, NOV, work orders and inspections reports for {}. Exclude reports from EXP and Barenco Inc.
Tokens prepared for LDA: ['record', 'build', 'permit', 'order', 'inspection', 'report', 'exclude', 'report', 'barenco']
Original Request: Record of all building permits, NOV, work orders and inspections reports for {}.
Tokens prepared for LDA: ['record', 'build', 'permit', 'order', 'inspection', 'report']
Original Request: A copy of last available yearly tax bill for Rogers Centre.
Tokens prepared for LDA: ['available', 'yearly', 'rogers', 'centre']
Original Request: A copy of dog bite incident report relating to incident 18-016659 at Ramsdee Park on Apr. 15, 2018.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'incident', '016659', 'ramsdee', 'april']
Original Request: Record of any complaints concerning cricket field at {} on the west side of Don Mills Rd., from residents of {}. Record search from May 17, 2017 Dec. 31, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'concern', 'cricket', 'field', 'mills', 'resident', 'record', 'search', 'december']
Original Request: Copies of all records related to Toronto Water files No. 5232128 and 5247382 for {}. These include but are not limited to reports, inspections, recordings, video, notes on the complaint etc.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'toronto', 'water', '5232128', '5247382', 'include', 'limit', 'report', 'inspection', 'recording', 'video', 'complaint']
Original Request: Record of the raw data and any useful breakdowns or subreports underlying or supplementing October 3, 2017 Council report PW24.5; with regards to the speeds travelled on the Bayview Extension in August, 2017, and the full report itself.
Tokens prepared for LDA: ['record', 'datum', 'useful', 'breakdown', 'subreports', 'underlie', 'supplement', 'october', 'council', 'report', 'pw24.5', 'regard', 'speed', 'travel', 'bayview', 'extension', 'august', 'report']
Original Request: A copy of building file for {} under permit No. 05-168735.
Tokens prepared for LDA: ['build', 'permit', '168735']
Original Request: A copy of by-law NOV and supporting documentation with respect to basketball net at {} issued on May 2, 2018.
Tokens prepared for LDA: ['support', 'documentation', 'respect', 'basketball', 'issue']
Original Request: The names and contact information of all 37 listed Professional Holistic Associations (Chapter 545) as well as, those of holistic centers registered in 2016, 2017 and 2018.
Tokens prepared for LDA: ['contact', 'information', 'professional', 'holistic', 'association', 'chapter', 'holistic', 'center', 'register']
Original Request: Records relating to {} from 2016 to present. 1. All available information, pertaining to all Building inspections, ML&S inspections specifically but not limited to documents such as letters or reports,
Tokens prepared for LDA: ['record', 'relate', 'present', 'available', 'information', 'pertain', 'building', 'inspection', 'inspection', 'specifically', 'limit', 'document', 'letter', 'report']
Original Request: Record of the name, contact and insurance information for company contracted to perform current work at {} as well as a copy of any currently open permits on the property.
Tokens prepared for LDA: ['record', 'contact', 'insurance', 'information', 'company', 'contract', 'perform', 'current', 'currently', 'permit', 'property']
Original Request: Record of all zoning examiner's records for {} from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['record', 'examiner', 'record', 'january', 'present']
Original Request: Copies of ML&S investigative notes and photos pertaining to {} under file No. 4654412 and 18 134784 ZON 00 IV. Including, NOV issued Mar. 27, 2018, documentation its closure, reasons for 'top priority' classification etc.
Tokens prepared for LDA: ['copy', 'investigative', 'photo', 'pertain', '4654412', '134784', 'include', 'issue', 'march', 'documentation', 'closure', 'reason', 'priority', 'classification']
Original Request: Copies of Toronto Water records concerning sewage back up at {}, on Nov. 1, 2011 and Apr. 2, 2018 (file No. 5227759 & 5211847).
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'concern', 'sewage', 'november', 'april', '5227759', '5211847']
Original Request: Any communication, statements or correspondence (e-mail, memos) from former Councillor Doug Ford or Mayor Rob Ford mentioning the word "Greenbelt".
Tokens prepared for LDA: ['communication', 'statement', 'correspondence', 'councillor', 'mayor', 'mention', 'greenbelt']
Original Request: A copy of records relating to minor variance for 801 Progress Ave. as a place of worship and day care facility. Record search from 2000 to present.
Tokens prepared for LDA: ['record', 'relate', 'minor', 'variance', 'progress', 'place', 'worship', 'facility', 'record', 'search', 'present']
Original Request: Record of any existing orders, investigations or outstanding amounts regarding {} with respect to property standard issues. Any StreeteART (StART) applications received or heritage designation assigned to the aforementioned property.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'outstanding', 'regard', 'respect', 'property', 'standard', 'issue', 'streeteart', 'start', 'application', 'receive', 'heritage', 'designation', 'assign', 'aforementioned', 'property']
Original Request: Record of the water flow test/pressure report for {}. Record search from Apr. 26, 2018.
Tokens prepared for LDA: ['record', 'water', 'pressure', 'report', 'record', 'search', 'april']
Original Request: Copies of all permits and related document for {} under permit No. 390268, issued in 1976.
Tokens prepared for LDA: ['copy', 'permit', 'relate', 'document', 'permit', '390268', 'issue']
Original Request: Record of the licensing and contact information for the owner, and all assigned drivers of Beck Taxi Cab #171. Requester identifies the owner as {}.
Tokens prepared for LDA: ['record', 'license', 'contact', 'information', 'owner', 'assign', 'driver', 'requester', 'identify', 'owner']
Original Request: Copies of all 311 calls, complaint and inspection report records concerning bug infestation and elevator malfunctions at {}. Record search from Dec. 28, 2017 to present.
Tokens prepared for LDA: ['copy', 'complaint', 'inspection', 'report', 'record', 'concern', 'infestation', 'elevator', 'malfunction', 'record', 'search', 'december', 'present']
Original Request: Documentation of fee payment for development charges, cash-in-lieu of parkland dedication fees, lot levies or charges relating to the property or building permits issued to {}. Records search from Jan. 1, 1985 to Jan. 1, 2003.
Tokens prepared for LDA: ['documentation', 'payment', 'development', 'charge', 'parkland', 'dedication', 'charge', 'relate', 'property', 'build', 'permit', 'issue', 'record', 'search', 'january', 'january']
Original Request: Documentation of fee payment for development charges, cash-in-lieu of parkland dedication fees, lot levies or charges relating to the property or building permits issued to {}. Records search from Jan. 1, 1985 to Jan. 1, 2003.
Tokens prepared for LDA: ['documentation', 'payment', 'development', 'charge', 'parkland', 'dedication', 'charge', 'relate', 'property', 'build', 'permit', 'issue', 'record', 'search', 'january', 'january']
Original Request: Police Reports for Occurrences, incidents and charges at {.}, from Jan. 1, 2014
Tokens prepared for LDA: ['police', 'report', 'occurrence', 'incident', 'charge', 'january']
Original Request: The Statement or Press Release issued by the 519 Community Centre regarding "Project Marie" or Marie Curtis Park. Record search from Nov. 10, 2016 to Nov. 25, 2016.
Tokens prepared for LDA: ['statement', 'press', 'release', 'issue', 'community', 'centre', 'regard', 'project', 'marie', 'marie', 'curtis', 'record', 'search', 'november', 'november']
Original Request: The Statement or Press Release regarding the withdrawal of the application submitted by Toronto Police Service to be a part of the Toronto Pride Parade in 2018. Record search from April 1, 2018 to April 5, 2018.
Tokens prepared for LDA: ['statement', 'press', 'release', 'regard', 'withdrawal', 'application', 'submit', 'toronto', 'police', 'service', 'toronto', 'pride', 'parade', 'record', 'search', 'april', 'april']
Original Request: Copies of all notes taken by Detective Rich Petrie, badge # 2232 with regards to rape investigation involving {} of {}.
Tokens prepared for LDA: ['copy', 'detective', 'petrie', 'badge', 'regard', 'investigation', 'involve']
Original Request: All zoning related documents for {} from 2010 to present.
Tokens prepared for LDA: ['relate', 'document', 'present']
Original Request: Copies of inspection reports concerning basement portion of {} from 2017 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'concern', 'basement', 'portion', 'present']
Original Request: A copy of order issued to {} on Apr. 27, 2018 for the cleaning of balcony on unit 510.
Tokens prepared for LDA: ['order', 'issue', 'april', 'clean', 'balcony']
Original Request: A copy of tree declaration form submitted for {}; in relation to construction permit granted. Record search from 2016 to 2018.
Tokens prepared for LDA: ['declaration', 'submit', 'relation', 'construction', 'permit', 'grant', 'record', 'search']
Original Request: A copy of animal services file A18-00489 regarding dog bite incident involving postal service staff.
Tokens prepared for LDA: ['animal', 'service', '00489', 'regard', 'incident', 'involve', 'postal', 'service', 'staff']
Original Request: A copy of zoning investigative records for {} under file #18126816 ZON 00 IV.
Tokens prepared for LDA: ['investigative', 'record', '18126816']
Original Request: A copy of incident report following medical distress at 5100 Yonge St. - North york Civic Centre on Apr. 26, 2018. Scene was attended by Jason Smiley, Security Supervisor of North District.
Tokens prepared for LDA: ['incident', 'report', 'follow', 'medical', 'distress', 'yonge', 'north', 'civic', 'centre', 'april', 'scene', 'attend', 'jason', 'smiley', 'security', 'supervisor', 'north', 'district']
Original Request: Record of all bed bug and cockroach related complaints/investigations made in relation to {}. Record search from Jan. 1, 2017 to Jan. 5, 2018.
Tokens prepared for LDA: ['record', 'cockroach', 'relate', 'complaint', 'investigation', 'relation', 'record', 'search', 'january', 'january']
Original Request: All records pertaining to the development, construction or demolition of buildings and structures located on {}, including any agreements, decisions, permits, notices and plans. Record search from Apr. 18, 2016 to present.
Tokens prepared for LDA: ['record', 'pertain', 'development', 'construction', 'demolition', 'building', 'structure', 'locate', 'include', 'agreement', 'decision', 'permit', 'notice', 'record', 'search', 'april', 'present']
Original Request: Record of any assessments by R.V. Anderson or any another engineering firm in relation to the condition of the track at the intersection of York and Wellington. Time frame: around 2013 and might be related to contract 12TPS-03RD; this may be later etc.
Tokens prepared for LDA: ['record', 'assessment', 'anderson', 'engineer', 'relation', 'condition', 'track', 'intersection', 'wellington', 'frame', 'relate', 'contract', '12tps-03rd']
Original Request: 1. A copy of City of Toronto Works and Emergency Services Standard: 1. No. T-216.02-11 - "Concrete Pavement in T.T.C. Track Allowance Detail". 2. A copy of City of Toronto - Transportation Services Standard for Construction No. TS 3.75 - "Construction S
Tokens prepared for LDA: ['toronto', 'works', 'emergency', 'services', 'standard', 't-216.02', 'concrete', 'pavement', 't.t.c.', 'track', 'allowance', 'toronto', 'transportation', 'services', 'standard', 'construction', 'construction']
Original Request: 1) Collision history at and near the intersection Don Mills Rd. and Rochefort Dr. Record search from Apr. 5, 2006 to Apr. 5, 2016; 2) The most recent traffic and pedestrian counts at the aforementioned intersection etc.
Tokens prepared for LDA: ['collision', 'history', 'intersection', 'mills', 'rochefort', 'record', 'search', 'april', 'april', 'recent', 'traffic', 'pedestrian', 'count', 'aforementioned', 'intersection']
Original Request: Copies of all orders, investigative notes and reports for {}. Record search from May 1, 2015 to present.
Tokens prepared for LDA: ['copy', 'order', 'investigative', 'report', 'record', 'search', 'present']
Original Request: Copies of all orders issued to {} under files 18103735 PRS 00IV - January 11, 2018; 18113400 HEA 00IV - February 5, 2017; 18114935 HEA COIR N/A and 17117042 HEA 00IV - February 15, 2018. Copies of all orders issued by Toronto Fire in etc.
Tokens prepared for LDA: ['copy', 'order', 'issue', '18103735', 'january', '18113400', 'february', '18114935', '17117042', 'february', 'copy', 'order', 'issue', 'toronto']
Original Request: A copy of animal services incident report - A16-045610, regarding dog bite incident which occurred on Nov. 8, 2016, along Kendall Ave between Bedford Rd. and Avenue Rd.
Tokens prepared for LDA: ['animal', 'service', 'incident', 'report', '045610', 'regard', 'incident', 'occur', 'november', 'kendall', 'bedford', 'avenue']
Original Request: A copy of animal services file A18-004892 concerning dog owned by {}.
Tokens prepared for LDA: ['animal', 'service', '004892', 'concern']
Original Request: A copy of garage demolition permit for {} permit No. 1986019460, file No. 238737.
Tokens prepared for LDA: ['garage', 'demolition', 'permit', 'permit', '1986019460', '238737']
Original Request: All records relating to the trees on the development site at 605 Bloor Street West (Mirvish Village). Record search from Jan. 1, 2014 to May 10, 2018.
Tokens prepared for LDA: ['record', 'relate', 'development', 'bloor', 'street', 'mirvish', 'village', 'record', 'search', 'january']
Original Request: A copy of 2004, 20 year agreement between Edwards Gardens/Toronto Botanical Gardens and the City of Toronto.
Tokens prepared for LDA: ['agreement', 'edwards', 'garden', 'toronto', 'botanical', 'garden', 'toronto']
Original Request: A copy of video surveillance footage in relation to attack incident involving {}, resident of Cummer Lodge Long Term Care Home on Mar. 4, 2018.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'relation', 'attack', 'incident', 'involve', 'resident', 'cummer', 'lodge', 'march']
Original Request: A copy of fire inspection report concerning {} following inspection on Apr. 18, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'concern', 'follow', 'inspection', 'april']
Original Request: A copy of animal service dog complaint record in relation to the defecating and off-leashing of dog at {}. Record search from Jan. 1, 2018 to Jan. 5, 2018.
Tokens prepared for LDA: ['animal', 'service', 'complaint', 'record', 'relation', 'defecate', 'leash', 'record', 'search', 'january', 'january']
Original Request: Record of all documents concerning any applications and payments made in connection with property tax appeals for {}, as well as any applications and payments made in connection with property tax rebates etc.
Tokens prepared for LDA: ['record', 'document', 'concern', 'application', 'payment', 'connection', 'property', 'appeal', 'application', 'payment', 'connection', 'property', 'rebate']
Original Request: All fire inspection notes and reports for {} including, those pertaining to a fire which occurred on May 12, 2017. Record search from May 12, 2017 to present.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'pertain', 'occur', 'record', 'search', 'present']
Original Request: All fire inspection notes and reports for {} including, those pertaining to a fire which occurred on May 12, 2017. Record search from May 12, 2017 to present.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'pertain', 'occur', 'record', 'search', 'present']
Original Request: A copy of owner information concerning business registered at {} under B50-4423861.
Tokens prepared for LDA: ['owner', 'information', 'concern', 'business', 'register', '4423861']
Original Request: Copies of all Toronto Building, ML&S and 311 correspondence and documents relating to {}. Record search from Jun. 17, 2017 to Apr. 30, 2018. Exclude records released under FOI# 2016-02498 and 2017-01525; which cover the etc.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'correspondence', 'document', 'relate', 'record', 'search', 'april', 'exclude', 'record', 'release', '02498', '01525', 'cover']
Original Request: A copy of property standards documents relating to {} under folder # 17 152081 WST 00IV. Record search from 2016 to present. Requestor has asked for decision letter to be emailed to them when signed.
Tokens prepared for LDA: ['property', 'standard', 'document', 'relate', 'folder', '152081', 'record', 'search', 'present', 'requestor', 'decision', 'letter', 'email']
Original Request: Record of findings regarding soft landscaping by-law violation issued to {} by By-Law Officer Charlene Diaz ( 311s case number 464 2638) and other findings such as, but not limited to, building violations recorded by City Building etc.
Tokens prepared for LDA: ['record', 'finding', 'regard', 'landscape', 'violation', 'issue', 'officer', 'charlene', 'finding', 'limit', 'build', 'violation', 'record', 'building']
Original Request: All communication from June 1, 2002 to May 30, 2003 concerning to the renewal of the lease agreement, (City of Toronto and New Style Construction Ltd. (NSCL) for property formerly described as #6 Walmer Rd, which includes a heritage home etc.
Tokens prepared for LDA: ['communication', 'concern', 'renewal', 'lease', 'agreement', 'toronto', 'style', 'construction', 'property', 'walmer', 'include', 'heritage']
Original Request: All records of complaints pertaining to {} as follows: November 5, 2017 Case # 493-8394; November 10 2017 Case # 494-8439; January 29 2018 Water case # 774-3768; February 1, 2018 Water case 5124-709 and April 6 2018 Case number 5215-023.
Tokens prepared for LDA: ['record', 'complaint', 'pertain', 'follow', 'november', 'november', 'january', 'water', 'february', 'water', 'april']
Original Request: A copy of Property Tax Bill for the year of 2012 and 2013, for property at {}.
Tokens prepared for LDA: ['property', 'property']
Original Request: All documents for {} under permit 15 194127 from 2015 to present.
Tokens prepared for LDA: ['document', 'permit', '194127', 'present']
Original Request: All documents for {} under permit 15 194127 from 2015 to present.
Tokens prepared for LDA: ['document', 'permit', '194127', 'present']
Original Request: Record of e-mails, letters or any other correspondence between Transportation Services and Councillor Paula Fletcher or her staff in regards to street parking or permit parking on Saulter St. Record search from Jan. 1, 2015 to May 10, 2018.
Tokens prepared for LDA: ['record', 'letter', 'correspondence', 'transportation', 'services', 'councillor', 'paula', 'fletcher', 'staff', 'regard', 'street', 'permit', 'saulter', 'record', 'search', 'january']
Original Request: A copy of CCTV inspection video and report of sewer lateral at {} via the Main Sanitary Sewer Launch completed by Toronto Water contractor on May 10, 2018.
Tokens prepared for LDA: ['inspection', 'video', 'report', 'sewer', 'lateral', 'sanitary', 'sewer', 'launch', 'complete', 'toronto', 'water', 'contractor']
Original Request: A copy of site plan control application and withdrawal in relation to {}.
Tokens prepared for LDA: ['control', 'application', 'withdrawal', 'relation']
Original Request: Record of all building permits and supporting documents for {} as well as the complete heritage file. Record search from May 15, 1935 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'support', 'document', 'complete', 'heritage', 'record', 'search', 'present']
Original Request: Record of all building permits and supporting documents for {} as well as the complete heritage file. Record search from May 15, 1935 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'support', 'document', 'complete', 'heritage', 'record', 'search', 'present']
Original Request: Copies of all building and plumbing records related to {}.
Tokens prepared for LDA: ['copy', 'build', 'plumb', 'record', 'relate']
Original Request: Any records of sidewalk/pavement work done on or around the east-side sidewalk on Market Street between Front Street East and The Esplanade, including but not limited to any work orders and/or cut permits during the period between September 16, 2010 etc.
Tokens prepared for LDA: ['record', 'sidewalk', 'pavement', 'sidewalk', 'market', 'street', 'street', 'esplanade', 'include', 'limit', 'order', 'and/or', 'permit', 'period', 'september']
Original Request: A copy of sewage back inspection report for {} from Jun. 2016 to Dec. 31, 2016.
Tokens prepared for LDA: ['sewage', 'inspection', 'report', 'december']
Original Request: A copy of sewage back inspection report for {} from Jun. 2016 to Dec. 31, 2016.
Tokens prepared for LDA: ['sewage', 'inspection', 'report', 'december']
Original Request: A copy of building records showing the official build date for property located at {}.
Tokens prepared for LDA: ['build', 'record', 'official', 'build', 'property', 'locate']
Original Request: Copies of fire inspection, ML&S and Public Health records concerning {} from Jan. 1, 2015 to Dec. 1, 2017.
Tokens prepared for LDA: ['copy', 'inspection', 'public', 'health', 'record', 'concern', 'january', 'december']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreeteART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streeteart', 'start', 'project']
Original Request: A complete copy of Animal Services file concerning dog Muffin, owned by {} of {}, as well as, the full legal name of the aforementioned owner.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'concern', 'muffin', 'legal', 'aforementioned', 'owner']
Original Request: Copies of building inspection reports which confirm inspection and passing of structure erected at {}. Record search from 2000 to 2001.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'confirm', 'inspection', 'structure', 'erect', 'record', 'search']
Original Request: Copies of all building inspection reports and permits relating to {}. Record search from Jan. 1, 2017 to May 20, 2018.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'permit', 'relate', 'record', 'search', 'january']
Original Request: Copies of the following records in Microsoft Excel csv. format (where possible) for 2017: All calls attended by a paramedic and/or emergency medical responder: 1. CTAS Level 2. Date 911 call received. 3. Time 911 call received. 4. Time ambulance
Tokens prepared for LDA: ['copy', 'follow', 'record', 'microsoft', 'excel', 'format', 'possible', 'attend', 'paramedic', 'and/or', 'emergency', 'medical', 'responder', 'level', 'receive', 'receive', 'ambulance']
Original Request: Record of any work orders issued to {} from 2014 to 2016.
Tokens prepared for LDA: ['record', 'order', 'issue']
Original Request: Record of the identity of complainant associated with Urban Forestry's visit to {}, as well as documentation of the results of the investigation. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['record', 'identity', 'complainant', 'associate', 'urban', 'forestry', 'visit', 'documentation', 'result', 'investigation', 'record', 'search', 'january', 'present']
Original Request: A copy of engineers report for {}. Record search from 2013 to 2014.
Tokens prepared for LDA: ['engineer', 'report', 'record', 'search']
Original Request: A copy of all Committee of Adjustment records for {} for 2008 and prior.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', 'prior']
Original Request: Record of all property standards complaints against {}. **Exclude those related to heating deficiencies from Jan. 1, 2016 to Apr. 9, 2018.
Tokens prepared for LDA: ['record', 'property', 'standard', 'complaint', 'exclude', 'relate', 'deficiency', 'january', 'april']
Original Request: A copy of 2018 inspection report concerning pest issues at {}.
Tokens prepared for LDA: ['inspection', 'report', 'concern', 'issue']
Original Request: Any recorded correspondence (e-mails, phone calls, notes, letters etc.) between Nicole Sweetapple, Municipal Standards Officer, and Alto Properties Inc. - 859 Kennedy Rd.
Tokens prepared for LDA: ['record', 'correspondence', 'phone', 'letter', 'nicole', 'sweetapple', 'municipal', 'standard', 'officer', 'property', 'kennedy']
Original Request: Any recorded correspondence (e-mails, phone calls, notes, letters etc.) between Nicole Sweetapple, Municipal Standards Officer, and Alto Properties Inc. - 859 Kennedy Rd.
Tokens prepared for LDA: ['record', 'correspondence', 'phone', 'letter', 'nicole', 'sweetapple', 'municipal', 'standard', 'officer', 'property', 'kennedy']
Original Request: Copies of any and all invoices from City of Toronto, third party contractors: One Stop and Junk It. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['copy', 'invoice', 'toronto', 'party', 'contractor', 'record', 'search', 'january', 'present']
Original Request: A complete, detailed list of every legal claim made against the Municipality of Toronto for any event occurring at Dufferin Grove Park only since 1993. This includes personal injury claims as well as any other claims (for example, city vehicle etc.
Tokens prepared for LDA: ['complete', 'legal', 'claim', 'municipality', 'toronto', 'event', 'occur', 'dufferin', 'grove', 'include', 'personal', 'injury', 'claim', 'claim', 'example', 'vehicle']
Original Request: A copy of the "emergency plan" referenced by Mayor John Tory at a press conference on refugee claimants and the shelter system on Friday, May 18, 2018. For reference, from the Toronto Star: "Tory said an emergency plan is in place but he would not etc.
Tokens prepared for LDA: ['emergency', 'reference', 'mayor', 'press', 'conference', 'refugee', 'claimant', 'shelter', 'friday', 'reference', 'toronto', 'emergency', 'place']
Original Request: Record of any notices of violation and/or fines issued to {} from 2005 to present.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'and/or', 'issue', 'present']
Original Request: Copies of building permit and inspection reports relating to the installation of back yard shed, 2nd story backyard balcony and front bay window at {}. Record search from Jan. 1, 1995 to May 1, 2018.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'report', 'relate', 'installation', 'story', 'backyard', 'balcony', 'window', 'record', 'search', 'january']
Original Request: Record of the following documents submitted in response to Tender Call Document 62-2018: 1. Copies of pages 46, 47 and 48; 2. Section 3 List of Subcontractors form; and 3. Section Experience and Qualifications Form for Main Infrastructure Ltd.
Tokens prepared for LDA: ['record', 'follow', 'document', 'submit', 'response', 'tender', 'document', 'copy', 'section', 'subcontractor', 'section', 'experience', 'qualification', 'infrastructure']
Original Request: A copy of Toronto Police's investigative reports relating to the disappearance and death of {} son of {} between May 20, 2017 till the case was closed in September 2017.
Tokens prepared for LDA: ['toronto', 'police', 'investigative', 'report', 'relate', 'disappearance', 'death', 'close', 'september']
Original Request: Copies of Toronto Public Health and ML&S inspection reports concerning {} from Dec. 7, 2017 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'public', 'health', 'inspection', 'report', 'concern', 'december', 'present']
Original Request: Record of any citations (especially those for front yard parking), notices of violation and/or any by-law fines issued against {}. Record search from Jan. 1, 2000 to May 22, 2018.
Tokens prepared for LDA: ['record', 'citation', 'especially', 'notice', 'violation', 'and/or', 'issue', 'record', 'search', 'january']
Original Request: Copies of initial build documents for {} from Toronto Building and City Planning divisions.
Tokens prepared for LDA: ['copy', 'initial', 'build', 'document', 'toronto', 'building', 'planning', 'division']
Original Request: Copies of initial build documents for {} from Toronto Building and City Planning divisions.
Tokens prepared for LDA: ['copy', 'initial', 'build', 'document', 'toronto', 'building', 'planning', 'division']
Original Request: Record of all expenses/fees paid to the City with respect to obtaining the severance and creation of 2 new residential lots {.} and {} .
Tokens prepared for LDA: ['record', 'expense', 'respect', 'obtain', 'severance', 'creation', 'residential']
Original Request: Record of the year legal front yard parking was issued or became permissible at {}.
Tokens prepared for LDA: ['record', 'legal', 'issue', 'permissible']
Original Request: A complete copy of attendance records for {} who attended swimming classes at the Centennial Recreation Centre. Record search from Oct. 20, 2013 to present.
Tokens prepared for LDA: ['complete', 'attendance', 'record', 'attend', 'class', 'centennial', 'recreation', 'centre', 'record', 'search', 'october', 'present']
Original Request: Record of any existing orders or investigations regarding {} and any land tied to it, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreeteA
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetea']
Original Request: Record of any existing orders or investigations regarding {} and any land tied to it, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreeteA
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetea']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Any and all documents related to the application for and approval of a building permits with respect to {}. Along with any and all documents, related to the application for and approval of a building permit(s) with respect to application etc.
Tokens prepared for LDA: ['document', 'relate', 'application', 'approval', 'build', 'permit', 'respect', 'document', 'relate', 'application', 'approval', 'build', 'permit(s', 'respect', 'application']
Original Request: A copy of work order issued to {} under folder #: 17 272211 PRS 00 IV. Municipal Standards Officer Mike Patterson.
Tokens prepared for LDA: ['order', 'issue', 'folder', '272211', 'municipal', 'standard', 'officer', 'patterson']
Original Request: A copy of building inspection notes for {} under file No. 18134805BR.
Tokens prepared for LDA: ['build', 'inspection', '18134805br']
Original Request: Record of the diameter and composition of City water lines supplying {}.
Tokens prepared for LDA: ['record', 'diameter', 'composition', 'water', 'supply']
Original Request: Copies of all building permits for {}. Record search from Aug. 1, 1989 to Oct. 1, 1990.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'record', 'search', 'august', 'october']
Original Request: Copies of all inspection report pertaining to the infestation of cockroaches at {}.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'pertain', 'infestation', 'cockroach']
Original Request: All documentation from SSHA staff: Leif Lahtinen, Julie Western Set, Doug Rollins, Colette Schneider, Mary Mendes, Julie Western and Paul Raftis concerning 229 Meadowvale Rd. as well as, communication between SSHA and: Property Standards etc.
Tokens prepared for LDA: ['documentation', 'staff', 'lahtinen', 'julie', 'western', 'rollins', 'colette', 'schneider', 'mend', 'julie', 'western', 'raftis', 'concern', 'meadowvale', 'communication', 'property', 'standard']
Original Request: All documentation and communication with regards to 229 Meadowvale Rd. between Toronto Fire and: Toronto Building and ML&S. Include records on any charges laid against the property (Fire only). Record search from Jun. 1, 2015 to present.
Tokens prepared for LDA: ['documentation', 'communication', 'regard', 'meadowvale', 'toronto', 'toronto', 'building', 'ml&s.', 'include', 'record', 'charge', 'property', 'record', 'search', 'present']
Original Request: Copies of engineering plans and drawings of City water supply and drainage for front area of {}. Record search from 1960 to present.
Tokens prepared for LDA: ['copy', 'engineer', 'drawing', 'water', 'supply', 'drainage', 'record', 'search', 'present']
Original Request: Copies of engineering plans and drawings of City water supply and drainage for front area of {}. Record search from 1960 to present.
Tokens prepared for LDA: ['copy', 'engineer', 'drawing', 'water', 'supply', 'drainage', 'record', 'search', 'present']
Original Request: Documentation of any watermain breaks at {} including work order or other of the date this was fixed. Record search from 2004 to 2010.
Tokens prepared for LDA: ['documentation', 'watermain', 'break', 'include', 'order', 'record', 'search']
Original Request: Installation and maintenance records for supply watermain and/or pipes for {} prior to Oct. 12, 2016. Any maintenance document proving water supply to the aforementioned address following Oct. 12, 2016.
Tokens prepared for LDA: ['installation', 'maintenance', 'record', 'supply', 'watermain', 'and/or', 'prior', 'october', 'maintenance', 'document', 'prove', 'water', 'supply', 'aforementioned', 'address', 'follow', 'october']
Original Request: Installation and maintenance records for supply watermain and/or pipes for {} prior to Oct. 12, 2016. Any maintenance document proving water supply to the aforementioned address following Oct. 12, 2016.
Tokens prepared for LDA: ['installation', 'maintenance', 'record', 'supply', 'watermain', 'and/or', 'prior', 'october', 'maintenance', 'document', 'prove', 'water', 'supply', 'aforementioned', 'address', 'follow', 'october']
Original Request: All fire inspection records for {} including any document pertaining to fire which occurred on Mar. 20, 2018, reference # F18028666.
Tokens prepared for LDA: ['inspection', 'record', 'include', 'document', 'pertain', 'occur', 'march', 'reference', 'f18028666']
Original Request: Copies of forestry records regarding fallen at {.} including, 311 notes associated with any complaints and concerns over said tree (including service request no. 5280314).
Tokens prepared for LDA: ['copy', 'forestry', 'record', 'regard', 'include', 'associate', 'complaint', 'concern', 'include', 'service', 'request', '5280314']
Original Request: Record of lead service replacement work performed at {} including, any measurements or other of the subject area which would identify ownership of that of the City of the property owner. Record search from Apr. 29, 2016 to Dec. 29, 2017.
Tokens prepared for LDA: ['record', 'service', 'replacement', 'perform', 'include', 'measurement', 'subject', 'identify', 'ownership', 'property', 'owner', 'record', 'search', 'april', 'december']
Original Request: All records generated as a result of, or referenced internally or externally in response to, National Post reporter Richard Warnica's e-mail requests for information to Don Peat and Jackie DeSouza in May 2018. Records should include, but not be etc.
Tokens prepared for LDA: ['record', 'generate', 'result', 'reference', 'internally', 'externally', 'response', 'national', 'reporter', 'richard', 'warnica', 'request', 'information', 'jackie', 'desouza', 'record', 'include']
Original Request: Any contracts or relevant case files regarding, {}, between Toronto Employment and Social Services and Earth Day Canada in the Investing in Neighbourhoods Program. Additionally, any files regarding complaints or investigations etc.
Tokens prepared for LDA: ['contract', 'relevant', 'regard', 'toronto', 'employment', 'social', 'services', 'earth', 'canada', 'investing', 'neighbourhood', 'program', 'additionally', 'regard', 'complaint', 'investigation']
Original Request: Record of the gross expenditure for Parking Tag Enforcement & Operations over the specified time period of Aug. 29, 2016 to Mar. 2, 2017.
Tokens prepared for LDA: ['record', 'gross', 'expenditure', 'parking', 'enforcement', 'operations', 'specify', 'period', 'august', 'march']
Original Request: A copy of ML&S report concerning {}, confirmation # 5160865.
Tokens prepared for LDA: ['report', 'concern', 'confirmation', '5160865']
Original Request: A copy of Tree Risk Assessment/Arborist Report for an existing Black Locust tree located at 285 Spadina Rd., as part of Spadina House - City of Toronto adjacent to {}. Arborist Report was done by Steve Miller.
Tokens prepared for LDA: ['assessment', 'arborist', 'report', 'exist', 'black', 'locust', 'locate', 'spadina', 'spadina', 'house', 'toronto', 'adjacent', 'arborist', 'report', 'steve', 'miller']
Original Request: Copies of any documentation regarding construction delays (deficiencies) for {}, including inspections completed to date.
Tokens prepared for LDA: ['copy', 'documentation', 'regard', 'construction', 'delay', 'deficiency', 'include', 'inspection', 'complete']
Original Request: A copy of building permit application under # 01-155262 for 2001 re: {}.
Tokens prepared for LDA: ['build', 'permit', 'application', '155262']
Original Request: Any infractions and/or warnings, fines from City inspectors with regards to {} Etobicoke, and property management or company including construction contractors, and also sidewalk construction. Record search from 2017 to May 2018.
Tokens prepared for LDA: ['infraction', 'and/or', 'warning', 'inspector', 'regard', 'etobicoke', 'property', 'management', 'company', 'include', 'construction', 'contractor', 'sidewalk', 'construction', 'record', 'search']
Original Request: A copy of work order# 1732992 created for a sewer issue at {} on May17, 2018, Record search from May 1, 2018 to May 30, 2018.
Tokens prepared for LDA: ['order', '1732992', 'create', 'sewer', 'issue', 'may17', 'record', 'search']
Original Request: A copy of occupancy inspection report for {}, North York. Record search from Jan. 1, 2016.
Tokens prepared for LDA: ['occupancy', 'inspection', 'report', 'north', 'record', 'search', 'january']
Original Request: Records pertaining to a filed complaint with Toronto Building Inspections for {} from March 1, 2018 to March 28, 2018.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'toronto', 'building', 'inspection', 'march', 'march']
Original Request: A copy of fire inspection reports for {} from May 15, 2018.
Tokens prepared for LDA: ['inspection', 'report']
Original Request: All construction related documents such as permits, correspondence, reports, truss designs, for {}.
Tokens prepared for LDA: ['construction', 'relate', 'document', 'permit', 'correspondence', 'report', 'truss', 'design']
Original Request: A copy of all reports from ML&S and the nature of the complaints that were filed against {} from 2005 to present.
Tokens prepared for LDA: ['report', 'nature', 'complaint', 'present']
Original Request: A copy of building inspection report under permit # 04-174781 BLD 00 for {}. Record search from 2005.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit', '174781', 'record', 'search']
Original Request: Record of the poll results relating to Application for Appeal - Front Yard Parking - {}; specifically, how many votes were allotted to each house in the polling area i.e. how many people met the requirements to be allotted a vote etc.
Tokens prepared for LDA: ['record', 'result', 'relate', 'application', 'appeal', 'parking', 'specifically', 'allot', 'house', 'people', 'requirement', 'allot']
Original Request: Record of any zoning, permitted or change of use for {} including business registration for dry cleaning or laundromat services. Record search from Jan. 1, 1985 to Jan. 1, 2018.
Tokens prepared for LDA: ['record', 'permit', 'change', 'include', 'business', 'registration', 'spin-dry', 'clean', 'laundromat', 'service', 'record', 'search', 'january', 'january']
Original Request: All e-mails between former ward 2 Councillor Doug Ford and Kinga Surma. Record search from Oct. 22, 2010 to Jan. 1, 2015.
Tokens prepared for LDA: ['councillor', 'kinga', 'surma', 'record', 'search', 'october', 'january']
Original Request: Copies of May 2018 fire inspection reports for {}.
Tokens prepared for LDA: ['copy', 'inspection', 'report']
Original Request: A copy of animal services file in relation to dog bite incident involving {} who was bitten by dog owned by { on Mar. 21, 2018 at 3230 Bayview Ave. - Willowdale Off Leash Dog Park.
Tokens prepared for LDA: ['animal', 'service', 'relation', 'incident', 'involve', 'march', 'bayview', 'willowdale', 'leash']
Original Request: All building records for {} under permit No. 14-202488 BLD 00 SR. Record search from Jan. 2014 to present.
Tokens prepared for LDA: ['build', 'record', 'permit', '202488', 'record', 'search', 'january', 'present']
Original Request: Copies of all permit documents for {}.
Tokens prepared for LDA: ['copy', 'permit', 'document']
Original Request: All information relating to {} on property standards and fire code violation issues (including field notes); complaints made to police on noise issues. Record search from April 9, 2018 to present. Please include e-mail records etc.
Tokens prepared for LDA: ['information', 'relate', 'property', 'standard', 'violation', 'issue', 'include', 'field', 'complaint', 'police', 'noise', 'issue', 'record', 'search', 'april', 'present', 'include', 'record']
Original Request: Detailed investigation report done by City regarding additions and construction done by home owner more than the original permit for {}, Scarborough.
Tokens prepared for LDA: ['detail', 'investigation', 'report', 'regard', 'addition', 'construction', 'owner', 'original', 'permit', 'scarborough']
Original Request: A copy of fire inspection report for {}, including any incidents and complaints. Record search from jan. 1, 2018 to April 28. 2018.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'incident', 'complaint', 'record', 'search', 'april']
Original Request: All building permits and inspections relating to {}, Etobiocke, from Jan. 1, 2014 to July 30, 2015.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'relate', 'etobiocke', 'january']
Original Request: All documents related to building dept. records, ML&S complaints, Parks and Forestry records for {}, including, but not limited to complaints with documents that accompanied the complaints, corresponding inspector's reports, complaintant
Tokens prepared for LDA: ['document', 'relate', 'build', 'record', 'complaint', 'parks', 'forestry', 'record', 'include', 'limit', 'complaint', 'document', 'accompany', 'complaint', 'correspond', 'inspector', 'report', 'complaintant']
Original Request: Building permits for {} from 1970 to 2018.
Tokens prepared for LDA: ['building', 'permit']
Original Request: A copy of arborist report in relation to tree removal at {} on May 17, 2018.
Tokens prepared for LDA: ['arborist', 'report', 'relation', 'removal']
Original Request: All zoning inquiry, work orders and change of use records for commercial building at 900 Middlefield Rd., from Jan. 1, 2010 to May 31, 2018.
Tokens prepared for LDA: ['inquiry', 'order', 'change', 'record', 'commercial', 'build', 'middlefield', 'january']
Original Request: he following information is requested in relation to the tow truck licenses of: Dalf Ajresh, Behzad (Sole Proprietorship); 2351713 Ontario Inc.; (Corporation); 2553738 Ontario Inc. (Corporation); 401 Alness St. North York, Ontario etc.
Tokens prepared for LDA: ['follow', 'information', 'request', 'relation', 'truck', 'license', 'ajresh', 'behzad', 'proprietorship', '2351713', 'ontario', 'corporation', '2553738', 'ontario', 'corporation', 'alness', 'north', 'ontario']
Original Request: A copy of 311 call transcript regarding slip and fall incident involving {} some 2-3 days after the incident date of Jun. 21, 2017. Call was made by the aforementioned.
Tokens prepared for LDA: ['transcript', 'regard', 'incident', 'involve', 'incident', 'aforementioned']
Original Request: Any and all documents for {} as they relate to request for tree removal, (i.e. application, inquiry and reports) to the City about tree removal, and application for tree removal.
Tokens prepared for LDA: ['document', 'relate', 'request', 'removal', 'application', 'inquiry', 'report', 'removal', 'application', 'removal']
Original Request: All building inspections reports for {}. Record search from Jan. 1, 2001 to Jun. 1, 2018.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'record', 'search', 'january']
Original Request: All communications, including emails and attachments sent or received by George Spezza, Michael Williams, Rosa Virzi, Connie Fusillo, Vana Petropoulos, Linda Fava, Elizabeth Di Vincenzo, Christine Raissis, Ron McMonagle and/or Leslie Fink
Tokens prepared for LDA: ['communication', 'include', 'email', 'attachment', 'receive', 'george', 'spezza', 'michael', 'williams', 'virzi', 'connie', 'fusillo', 'petropoulos', 'linda', 'elizabeth', 'vincenzo', 'christine', 'raissis', 'mcmonagle', 'and/or', 'leslie']
Original Request: Copies of all building permit applications and all outstanding work orders for {} from 1996 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'outstanding', 'order', 'present']
Original Request: Access to Toronto Police Services body-worn camera footage (43 Division) of shooting/investigation near Lawrence Ave. E. and Bellamy Rd. at around 2.00 pm on June 1, 2015.
Tokens prepared for LDA: ['access', 'toronto', 'police', 'services', 'camera', 'footage', 'division', 'shoot', 'investigation', 'lawrence', 'bellamy']
Original Request: Police record relating to allegations of theft filed against {} in 2005 from Division 22.
Tokens prepared for LDA: ['police', 'record', 'relate', 'allegation', 'theft', 'division']
Original Request: A copy of building permit No. 98014895 BLD 00 BA for {}.
Tokens prepared for LDA: ['build', 'permit', '98014895']
Original Request: A copy of health inspection report concerning inspection at Sushi House - 209 Dundas St. W., on Jun. 6, 2018.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'concern', 'inspection', 'sushi', 'house', 'dundas']
Original Request: Police incident report # 1020304 from 14 Division.
Tokens prepared for LDA: ['police', 'incident', 'report', '1020304', 'division']
Original Request: With respect to {}, 1. A copy of incident report from Lisa Marcello, ROW Standards Officer relating to the contractor operating a crane without a permit on March 9, 2016. 2. Number and types of permits taken out by the
Tokens prepared for LDA: ['respect', 'incident', 'report', 'marcello', 'standard', 'officer', 'relate', 'contractor', 'operate', 'crane', 'permit', 'march', 'number', 'permit']
Original Request: A copy of police incident report under # 18-1017361.
Tokens prepared for LDA: ['police', 'incident', 'report', '1017361']
Original Request: A copy of building permit issued to {} for a kitchen extension in 1985.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'kitchen', 'extension']
Original Request: Copies of any open/unresolved zoning, building, and fire code violations, variances (special/conditional use permits; excluding signage), certificates of occupancy for the property located at {}.
Tokens prepared for LDA: ['copy', 'unresolved', 'build', 'violation', 'variance', 'special', 'conditional', 'permit', 'exclude', 'signage', 'certificate', 'occupancy', 'property', 'locate']
Original Request: Copies of permits issued to {} from 2011 to 2012.
Tokens prepared for LDA: ['copy', 'permit', 'issue']
Original Request: Record of all fire code violations issued against {} in relation to the basement apartment. Record search from 2007 to 2015.
Tokens prepared for LDA: ['record', 'violation', 'issue', 'relation', 'basement', 'apartment', 'record', 'search']
Original Request: Complete copies of Toronto Building; Property Standards; Toronto Fire and City Planning files; as they relate to {}.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'property', 'standard', 'toronto', 'planning', 'relate']
Original Request: Records requested for {.} business and residential occupancy records. Records of tenants between the years 1996-2016. Additionally, record of voter name registration for the same address. Record search from Jan. 1, 1996 to Jul. 26, 2016.
Tokens prepared for LDA: ['record', 'request', 'business', 'residential', 'occupancy', 'record', 'record', 'tenant', 'additionally', 'record', 'voter', 'registration', 'address', 'record', 'search', 'january']
Original Request: A copy of City records in relation to fallen tree limb removal from the property of {.} on Jul. 25, 2016.
Tokens prepared for LDA: ['record', 'relation', 'removal', 'property']
Original Request: Reference to Ted Van Vliet's e-mail to John Heggie dated Oct. 16, 2012. Provide a complete response
Tokens prepared for LDA: ['reference', 'vliet', 'heggie', 'october', 'provide', 'complete', 'response']
Original Request: All building documents concerning permit # 03-108087 for 1 Shoreham Dr. - Tennis Canada Aviva Centre. Record search from 2002 to 2005.
Tokens prepared for LDA: ['build', 'document', 'concern', 'permit', '108087', 'shoreham', 'tennis', 'canada', 'aviva', 'centre', 'record', 'search']
Original Request: Document showing the measurement specifications (diameter, width etc.) for supply pipes leading from City lines to property located at {.}. Record search from time of construction to present.
Tokens prepared for LDA: ['document', 'measurement', 'specification', 'diameter', 'width', 'supply', 'property', 'locate', 'record', 'search', 'construction', 'present']
Original Request: Copies of all building inspections report related to new build at {} from 2012 to 2014.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'relate', 'build']
Original Request: A copy of complete file for the dog bite incident that occurred on June 26, 2016 at Ashbridges Bay Beach, in which {} was injured by a dog owned by {} and {}.
Tokens prepared for LDA: ['complete', 'incident', 'occur', 'ashbridges', 'beach', 'injure']
Original Request: All drawings related to {} under permit # 04178650 BLE.
Tokens prepared for LDA: ['drawing', 'relate', 'permit', '04178650']
Original Request: A copy of theft report filed with Etobicoke Olympium on July 20, 2016 at 8.30 pm.
Tokens prepared for LDA: ['theft', 'report', 'etobicoke', 'olympium']
Original Request: A copy of the Purchasing and Materials Management Enterprise wide Spend Analysis; corresponding staff or (outside) consultant (believed to be Ernst & Young) documents relating to the Spend Analysis project.
Tokens prepared for LDA: ['purchasing', 'material', 'management', 'enterprise', 'spend', 'analysis', 'correspond', 'staff', 'outside', 'consultant', 'believe', 'ernst', 'young', 'document', 'relate', 'spend', 'analysis', 'project']
Original Request: ML&S complaint records for {.} from July 17, 2016 to Aug. 2, 2016. The complaint was made by {}.
Tokens prepared for LDA: ['complaint', 'record', 'august', 'complaint']
Original Request: All records pertaining to the inspections and orders conducted by various City agencies for {}. Record search from Jan. 1, 2011 to Aug. 5, 2016.
Tokens prepared for LDA: ['record', 'pertain', 'inspection', 'order', 'conduct', 'various', 'agency', 'record', 'search', 'january', 'august']
Original Request: Record identifying the individual who made a complaint regarding garage sale on property of {.} including investigative notes and complaint details. Record search from Jun. 2016 to Jul. 15, 2016.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complaint', 'regard', 'garage', 'property', 'include', 'investigative', 'complaint', 'record', 'search']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit']
Original Request: The records for six or seven 311 calls dated back to Oct. 27, 2015 for {}.
Tokens prepared for LDA: ['record', 'seven', 'october']
Original Request: All records from Toronto Building, including all records and plans, inspections pertaining to permit applications for a basement renovation in late 2011 and/or early 2012 for {}
Tokens prepared for LDA: ['record', 'toronto', 'building', 'include', 'record', 'inspection', 'pertain', 'permit', 'application', 'basement', 'renovation', 'and/or', 'early']
Original Request: Reference to Ted Van Vliet's e-mail to John Heggie dated Aug. 20, 2012.
Tokens prepared for LDA: ['reference', 'vliet', 'heggie', 'august']
Original Request: Reports regarding sewage backup problems at {.}. The last report was dated July 26, 2016 but please provide the reports for the previous visits in 2012 and 2013.
Tokens prepared for LDA: ['report', 'regard', 'sewage', 'backup', 'problem', 'report', 'provide', 'report', 'previous', 'visit']
Original Request: A copy of permit application, inspection report for #15-153032 for {} from 2013 to 2015.
Tokens prepared for LDA: ['permit', 'application', 'inspection', 'report', '153032']
Original Request: All information regarding grants received by the Festival Management Committee, including tax and financial/financing information for the Scotia Bank Caribbean Carnival. Record search Jun. 2005 to June 2016.
Tokens prepared for LDA: ['information', 'regard', 'grant', 'receive', 'festival', 'management', 'committee', 'include', 'financial', 'finance', 'information', 'scotia', 'caribbean', 'carnival', 'record', 'search']
Original Request: Any record related to the possession a dog of {.}. Including but not limited to charges laid for contravention of Animal Services municipal code chapter 349 and/or the Dog Owner's Liability Act.
Tokens prepared for LDA: ['record', 'relate', 'possession', 'include', 'limit', 'charge', 'contravention', 'animal', 'services', 'municipal', 'chapter', 'and/or', 'owner', 'liability']
Original Request: Any record related to the possession a dog of {}. Including but not limited to charges laid for contravention of Animal Services municipal code chapter 349 and/or the Dog Owner's Liability Act.
Tokens prepared for LDA: ['record', 'relate', 'possession', 'include', 'limit', 'charge', 'contravention', 'animal', 'services', 'municipal', 'chapter', 'and/or', 'owner', 'liability']
Original Request: Copies of Parks & Forestry records as they pertain tree history on the property of {}.
Tokens prepared for LDA: ['copy', 'parks', 'forestry', 'record', 'pertain', 'history', 'property']
Original Request: A complete copy of Animal Services files in relation to No. A16-029183 and A16-030945.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'relation', '029183', '030945']
Original Request: Copies of all photographs taken at {} for the identification of dead branches on tree, which were larger than 2.5 cm in diameter or any other photo associated with determining the 'source of danger' as it relates to the tree.
Tokens prepared for LDA: ['copy', 'photograph', 'identification', 'branch', 'large', 'diameter', 'photo', 'associate', 'determine', 'source', 'danger', 'relate']
Original Request: All application and payments made to Mercedes Homes and/or Toking Properties and/or {} for building renovation or improvement of {} Record search from Jan. 1, 1997 to Aug.8, 2016.
Tokens prepared for LDA: ['application', 'payment', 'mercedes', 'home', 'and/or', 'toking', 'property', 'and/or', 'build', 'renovation', 'improvement', 'record', 'search', 'january', 'aug.8']
Original Request: Easement agreement between City of Toronto and National Iron Corporation Ltd. dated March 21, 1930.
Tokens prepared for LDA: ['easement', 'agreement', 'toronto', 'national', 'corporation', 'march']
Original Request: City of Toronto official plan amendment application # 2246.
Tokens prepared for LDA: ['toronto', 'official', 'amendment', 'application']
Original Request: A complete copy of registration records for {} while enrolled at the O'Connor Community Centre located at 1386 Victoria Park Ave. Record search from Dec. 1, 2010 to present.
Tokens prepared for LDA: ['complete', 'registration', 'record', 'enroll', "o'connor", 'community', 'centre', 'locate', 'victoria', 'record', 'search', 'december', 'present']
Original Request: All records related to {}., specifically records related to the existing site plan agreement and correspondence regarding the same from 2011 to the present.
Tokens prepared for LDA: ['record', 'relate', 'specifically', 'record', 'relate', 'exist', 'agreement', 'correspondence', 'regard', 'present']
Original Request: Record of all parking pads approved in the last five years for the City of Toronto; all parking pads approved in the past 5 years in ward 32 and information regarding "all" City Councillors who have front yard parking pads etc.
Tokens prepared for LDA: ['record', 'approve', 'toronto', 'approve', 'information', 'regard', 'councillor']
Original Request: All communications from Transportation Services Public Realm group and the Markland Wood Homeowners Association including correspondence from Councillor Holyday relating to the Road Mural Pilot Project that was proposed this summer.
Tokens prepared for LDA: ['communication', 'transportation', 'services', 'public', 'realm', 'group', 'markland', 'homeowner', 'association', 'include', 'correspondence', 'councillor', 'holyday', 'relate', 'mural', 'pilot', 'project', 'propose', 'summer']
Original Request: Copies of historical occupancy classification and licensing information for building located at {.}.
Tokens prepared for LDA: ['copy', 'historical', 'occupancy', 'classification', 'license', 'information', 'build', 'locate']
Original Request: Record of Property Standards and Toronto Building files concerning {}.
Tokens prepared for LDA: ['record', 'property', 'standard', 'toronto', 'building', 'concern']
Original Request: Record of any complaints to Toronto Building or Municipal Licensing & Standards in relation to property located at {}.
Tokens prepared for LDA: ['record', 'complaint', 'toronto', 'building', 'municipal', 'license', 'standard', 'relation', 'property', 'locate']
Original Request: A copy of the Animal Service and Public Health records related to a dog bite at St. John's Norway Cemetery - 256 Kingston Rd., involving {}. The incident occurred on May 24, 2016.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'record', 'relate', 'norway', 'cemetery', 'kingston', 'involve', 'incident', 'occur']
Original Request: A copy of property standards file for {} in relation to screen door inspection.
Tokens prepared for LDA: ['property', 'standard', 'relation', 'screen', 'inspection']
Original Request: Copies of Toronto Water records regarding flooding and sewer damage to property located at {} within the last 10 years. Record search from 2006 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'regard', 'flood', 'sewer', 'damage', 'property', 'locate', 'record', 'search', 'present']
Original Request: All e-mails and communications including attachments regarding landlord licensing including communications regarding media inquiries sent or received by Amanda Galbraith, Keerthana Kamalavasan, Luke Robertson, Bruce Hawkins, Jackie DeSouza etc.
Tokens prepared for LDA: ['communication', 'include', 'attachment', 'regard', 'landlord', 'license', 'include', 'communication', 'regard', 'medium', 'inquiry', 'receive', 'amanda', 'galbraith', 'keerthana', 'kamalavasan', 'robertson', 'bruce', 'hawkins', 'jackie', 'desouza']
Original Request: Copies of any building permits issued to {} after June 2015.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue']
Original Request: Copies of plans submitted in support of permit application for {.}. Permit was granted under No. 94207007 CMB 00RP/94BI8397.
Tokens prepared for LDA: ['copy', 'submit', 'support', 'permit', 'application', 'permit', 'grant', '94207007', '00rp/94bi8397']
Original Request: All photographs, all reports, all written communications and all records of conversations and communications of any kind, including without limitation, e-mails, claims, letters, notes of telephone calls and notes of meetings, relating to bicycling etc.
Tokens prepared for LDA: ['photograph', 'report', 'write', 'communication', 'record', 'conversation', 'communication', 'include', 'limitation', 'claim', 'letter', 'telephone', 'meeting', 'relate', 'bicycle']
Original Request: Record of any historical records - documents or correspondence for industrial building located at {}.
Tokens prepared for LDA: ['record', 'historical', 'record', 'document', 'correspondence', 'industrial', 'build', 'locate']
Original Request: The number of times the City of Toronto has paid settlements for injuries caused by falling tree limbs, as well as the total amount paid out, the total amount of money paid in claims per year for each of the past 10 years, the number of successful etc.
Tokens prepared for LDA: ['toronto', 'settlement', 'injury', 'cause', 'total', 'total', 'money', 'claim', 'successful']
Original Request: Plans submitted to Toronto Building for {}, under permit # 16 112 771 BLD 00 SR (issued Feb. 24, 2016).
Tokens prepared for LDA: ['plan', 'submit', 'toronto', 'building', 'permit', 'issue', 'february']
Original Request: A complete copy of Animal Services file No. A16-029766. Record search from Jul. 5, 2016 to present.
Tokens prepared for LDA: ['complete', 'animal', 'services', '029766', 'record', 'search', 'present']
Original Request: Information on the number of injuries and deaths caused by City-owned trees that have been reported to the City of Toronto over the past 10 years. Records should include the number of injuries and deaths per year for the past 10 years etc.
Tokens prepared for LDA: ['information', 'injury', 'death', 'cause', 'report', 'toronto', 'record', 'include', 'injury', 'death']
Original Request: Record of all Toronto Water records related to any work done (including sewers) on or leading to the property of {}. Record search from 2002 to 2012.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'record', 'relate', 'include', 'sewer', 'property', 'record', 'search']
Original Request: A copy of permit applications, permits issued and inspection report for {} from as far back as possible to present.
Tokens prepared for LDA: ['permit', 'application', 'permit', 'issue', 'inspection', 'report', 'possible', 'present']
Original Request: A copy of customer service report in relation to SCR#925873 for the water main break at {} on Aug. 4, 2016.
Tokens prepared for LDA: ['customer', 'service', 'report', 'relation', 'scr#925873', 'water', 'break', 'august']
Original Request: A copy of building and planning documents for {} including inspection, rezoning and appeal records. Record search from 1975 to present.
Tokens prepared for LDA: ['build', 'document', 'include', 'inspection', 'rezoning', 'appeal', 'record', 'record', 'search', 'present']
Original Request: All record of Property Standards complaints against property located at {.} from Jan. 1, 2012 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'property', 'standard', 'complaint', 'property', 'locate', 'january', 'january']
Original Request: A copy of the raw electronic data from the database in which the City of Toronto records civil case settlements paid by the City of Toronto, including information contained therein. Record search from as far back as possible to present.
Tokens prepared for LDA: ['electronic', 'datum', 'database', 'toronto', 'record', 'civil', 'settlement', 'toronto', 'include', 'information', 'contain', 'record', 'search', 'possible', 'present']
Original Request: A copy of the raw electronic data from the database in which the City of Toronto records civil case settlements paid by the City of Toronto, including information contained therein. Record search from as far back as possible to present.
Tokens prepared for LDA: ['electronic', 'datum', 'database', 'toronto', 'record', 'civil', 'settlement', 'toronto', 'include', 'information', 'contain', 'record', 'search', 'possible', 'present']
Original Request: A copy of ML&S investigative report following dog bite incident involving {} who was bitten on Jul. 4, 2015. Inspector Paul Calzavara.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'incident', 'involve', 'inspector', 'calzavara']
Original Request: All records related to noise complaint made by {} in October 2013 while residing at {}.
Tokens prepared for LDA: ['record', 'relate', 'noise', 'complaint', 'october', 'reside']
Original Request: A copy of the entire Fire Lane Application File including all considerations, dispositions, appeals, site plans, photographs, and any and all other documents in your possession for {}.
Tokens prepared for LDA: ['entire', 'application', 'include', 'consideration', 'disposition', 'appeal', 'photograph', 'document', 'possession']
Original Request: Copies of Park Forestry & Recreation records associated with ticket #4198107 in relation to tree maintenance on the property of {}.
Tokens prepared for LDA: ['copy', 'forestry', 'recreation', 'record', 'associate', 'ticket', '4198107', 'relation', 'maintenance', 'property']
Original Request: A complete copy of building file for {} including those records related to permit #13 147771 BLD 00 SR. Record search from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'record', 'relate', 'permit', '147771', 'record', 'search', 'possible', 'present']
Original Request: All correspondence related to 311 request No. 3973171, for water shut off to the residence of {}.
Tokens prepared for LDA: ['correspondence', 'relate', 'request', '3973171', 'water', 'residence']
Original Request: A copy of any inspection records from Toronto Building and ML&S for {} for the past 5 or 6 years, including issues on grow op.
Tokens prepared for LDA: ['inspection', 'record', 'toronto', 'building', 'include', 'issue']
Original Request: In relation to {}., whether you have conducted a recent inspection of the property within the past 24 months; any record of any health hazard or public health issues or complaints and if so when and what for.
Tokens prepared for LDA: ['relation', 'conduct', 'recent', 'inspection', 'property', 'month', 'record', 'health', 'hazard', 'public', 'health', 'issue', 'complaint']
Original Request: Detailed design, engineering, and/or construction drawings and photographs with respect to the northbound Sherbourne Street Cycle Track in the vicinity of Sherbourne Street and Isabella Street, including any detailed drawings with respect to the parking c
Tokens prepared for LDA: ['detail', 'design', 'engineer', 'and/or', 'construction', 'drawing', 'photograph', 'respect', 'northbound', 'sherbourne', 'street', 'cycle', 'track', 'vicinity', 'sherbourne', 'street', 'isabella', 'street', 'include', 'drawing', 'respect']
Original Request: A copy of tree maintenance file in relation to trees/bushes which exist on the borderline of {} and City property. Any notices issued to the owner for violation of property maintenance standards in trimming said trees and bushes.
Tokens prepared for LDA: ['maintenance', 'relation', 'exist', 'borderline', 'property', 'notice', 'issue', 'owner', 'violation', 'property', 'maintenance', 'standard']
Original Request: Record of all permits, permit applications and drawings for commercial building located at {}. This request does not include inspection documents.
Tokens prepared for LDA: ['record', 'permit', 'permit', 'application', 'drawing', 'commercial', 'build', 'locate', 'request', 'include', 'inspection', 'document']
Original Request: A copy of planning file No. 55T-76037 FOR {.} now known as {}. Record search from Jun. 1, 1977 to present.
Tokens prepared for LDA: ['55t-76037', 'record', 'search', 'present']
Original Request: A copy of building permit application for permit # 16-154691 for {} including plans and inspection notes. Record search from Jan. 1, 2016 - Aug. 26, 2016.
Tokens prepared for LDA: ['build', 'permit', 'application', 'permit', '154691', 'include', 'inspection', 'record', 'search', 'january', 'august']
Original Request: Record of all permits, permit applications and drawings for commercial building located at 27 Mobile Dr. This request does not include inspection documents.
Tokens prepared for LDA: ['record', 'permit', 'permit', 'application', 'drawing', 'commercial', 'build', 'locate', 'mobile', 'request', 'include', 'inspection', 'document']
Original Request: Copies of inspection reports in relation to sewer investigations at {}. City inspectors attended the property 2 times for inspections.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relation', 'sewer', 'investigation', 'inspector', 'attend', 'property', 'inspection']
Original Request: Any e-mails (including all attachments), memos, draft memos, briefing notes, draft briefing notes, internal reports and draft internal reports related to the crafting, drafting and distribution of a TTC briefing note concerning the Scarborough LRT.
Tokens prepared for LDA: ['include', 'attachment', 'draft', 'brief', 'draft', 'brief', 'internal', 'report', 'draft', 'internal', 'report', 'relate', 'craft', 'draft', 'distribution', 'brief', 'concern', 'scarborough']
Original Request: All records and documents related to dog bite incident at the Norman Jewson Park on Jul. 1, 2016. ML&S Inspector Sarah Bakhtiyari.
Tokens prepared for LDA: ['record', 'document', 'relate', 'incident', 'norman', 'jewson', 'inspector', 'sarah', 'bakhtiyari']
Original Request: Record of any existing orders issued to {.} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, fences, property standards, work orders, deficiency notices, violations etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice', 'violation']
Original Request: Record of all notes, documents, reports and records for {}, including those related to the collapse of the back wall of homes structure during construction work. Record search from 2015 to present.
Tokens prepared for LDA: ['record', 'document', 'report', 'record', 'include', 'relate', 'collapse', 'structure', 'construction', 'record', 'search', 'present']
Original Request: Record of any demolition permit applications, submitted in relation to {} during Jan. 2015 to Aug. 2015.
Tokens prepared for LDA: ['record', 'demolition', 'permit', 'application', 'submit', 'relation', 'january', 'august']
Original Request: A copy of the following building documents for {}: building inspection report, occupancy permit, application for increased density, application for increased density report. Record search from Oct. 31, 2008 to Jan. 1, 2011.
Tokens prepared for LDA: ['follow', 'build', 'document', 'build', 'inspection', 'report', 'occupancy', 'permit', 'application', 'increase', 'density', 'application', 'increase', 'density', 'report', 'record', 'search', 'october', 'january']
Original Request: A copy of the identity of the registered owner of a dog involved in case # A 16 024665. Record search from Jun. 25, 2016 to Jul. 17, 2016.
Tokens prepared for LDA: ['identity', 'register', 'owner', 'involve', '024665', 'record', 'search']
Original Request: All engineering reports pertaining to {}, Toronto.
Tokens prepared for LDA: ['engineer', 'report', 'pertain', 'toronto']
Original Request: All information relating to complaint resulting in Notice of Violation # 13-0040 2013 09 dated July 7, 2016, including date complaint received, any follow-up dates by complainant. Name, address, phone # of individuals submitting complaint.
Tokens prepared for LDA: ['information', 'relate', 'complaint', 'result', 'notice', 'violation', 'include', 'complaint', 'receive', 'follow', 'complainant', 'address', 'phone', 'individual', 'submit', 'complaint']
Original Request: Any and all records, reports, photographs, notices of violations for {}; inspectors' notes/records re: wall and water seeping (natural wall flow) from {.}.
Tokens prepared for LDA: ['record', 'report', 'photograph', 'notice', 'violation', 'inspector', 'record', 'water', 'natural']
Original Request: A copy of the record(s) from which E. Sabatini obtained the date that the plan mentioned in e-mail dated October 26, 2016 to Margaret Liu was returned and the folder that it was filed in. Record search from Oct. 2014 to Apr. 30, 2015
Tokens prepared for LDA: ['record(s', 'sabatini', 'obtain', 'mention', 'october', 'margaret', 'return', 'folder', 'record', 'search', 'october', 'april']
Original Request: A copy of the record(s) from which E. Sabatini obtained the date that the plan mentioned in e-mail dated October 26, 2016 to Margaret Liu was returned and the folder that it was filed in. Record search from Oct. 2014 to Apr. 30, 2015
Tokens prepared for LDA: ['record(s', 'sabatini', 'obtain', 'mention', 'october', 'margaret', 'return', 'folder', 'record', 'search', 'october', 'april']
Original Request: A copy of building permit application submitted by Stan Danek of Crystal Clear Pools for {} under permit No. 14 206676 BLD 00 SR. Record search from Aug. 10, 2014 to Aug. 31, 2014.
Tokens prepared for LDA: ['build', 'permit', 'application', 'submit', 'danek', 'crystal', 'clear', 'pool', 'permit', '206676', 'record', 'search', 'august', 'august']
Original Request: In relation to responses by Toronto Fire Services to reports of elevator entrapment within the last 10 years, requested are: any data containing additional detail of each call not routinely available, that is: the ages and number of people entrapped etc.
Tokens prepared for LDA: ['relation', 'response', 'toronto', 'services', 'report', 'elevator', 'entrapment', 'request', 'datum', 'contain', 'additional', 'routinely', 'available', 'people', 'entrap']
Original Request: A copy of Animal Services and Public Health files pertaining to dog bite incident on Jun. 6, 2016, at {}, in which {}, was bitten. Record of any historical information regarding the dog involved etc.
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'pertain', 'incident', 'record', 'historical', 'information', 'regard', 'involve']
Original Request: A copy of Animal Services complaint records pertaining to dog attack incident on Aug. 31, 2015 at {}, in which {}, was attacked. 311 ref. # 3666882.
Tokens prepared for LDA: ['animal', 'services', 'complaint', 'record', 'pertain', 'attack', 'incident', 'august', 'attack', '3666882']
Original Request: A copy of fire inspection report for {}, in relation to unit door and fire lock box in the fire room. Record search from Jul 7, 2016 to present.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'record', 'search', 'present']
Original Request: Maintenance records for the city tree on the front portion of property at {}.
Tokens prepared for LDA: ['maintenance', 'record', 'portion', 'property']
Original Request: All records including permit documents in relation to the injury or removal of tree from {}. Copies of any investigations following notification to PFR staff on Jul. 18 & 19, 2016 that said tree should not be injured.
Tokens prepared for LDA: ['record', 'include', 'permit', 'document', 'relation', 'injury', 'removal', 'copy', 'investigation', 'follow', 'notification', 'staff', 'injure']
Original Request: All records for Cafe Mirage Grill and Lounge, located at 26 William Kitchen Road, Unit 6, BN: B714652413, pertaining to the confirmation of the business's license with the City of Toronto.
Tokens prepared for LDA: ['record', 'mirage', 'grill', 'lounge', 'locate', 'william', 'kitchen', 'b714652413', 'pertain', 'confirmation', 'business', 'license', 'toronto']
Original Request: A copy of noise investigative records on file # 16 186 300 NOI 00 IR with regards to {}.
Tokens prepared for LDA: ['noise', 'investigative', 'record', 'regard']
Original Request: Records or documentary evidence which support the existence of a restaurant - The Angry Chef, on the property of 2814 Lakeshore Blvd. W. Namely, a copy of any issued liquor licenses, health inspection reports, drawings, fire inspection reports etc.
Tokens prepared for LDA: ['record', 'documentary', 'evidence', 'support', 'existence', 'restaurant', 'angry', 'property', 'lakeshore', 'issue', 'liquor', 'license', 'health', 'inspection', 'report', 'drawing', 'inspection', 'report']
Original Request: Record indicating the contractor and/or the dates and times in which their company repainted the white roadway lines to stop sign located at the "T" intersection of Laura Rd., and Stanley Rd. Repainting was done sometime after April 2016.
Tokens prepared for LDA: ['record', 'indicate', 'contractor', 'and/or', 'company', 'repaint', 'white', 'roadway', 'locate', 'intersection', 'laura', 'stanley', 'repaint', 'april']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit']
Original Request: A copy of the financial breakdown of expenditures for the Northwood Camp Program, detailing monies spent on trips, activities, arts and craft supplies and so on. Breakdown should be in a weekly format.
Tokens prepared for LDA: ['financial', 'breakdown', 'expenditure', 'northwood', 'program', 'money', 'spend', 'activity', 'craft', 'supply', 'breakdown', 'weekly', 'format']
Original Request: A copy of all investigative and follow up records in relation to injuries sustained by {} while in attendance at {} during Aug. 19, 2016 to Aug. 24, 2016.
Tokens prepared for LDA: ['investigative', 'follow', 'record', 'relation', 'injury', 'sustain', 'attendance', 'august', 'august']
Original Request: A copy of municipal road side damage application submitted for {} on Sep. 21, 2011.
Tokens prepared for LDA: ['municipal', 'damage', 'application', 'submit', 'september']
Original Request: A copy of inspection report related to mold investigation at {}.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'investigation']
Original Request: a list of all approved site plan applications; with a list of all active rezoning applications for use types: multi-residential, commercial, industrial and institutional. This information should include the following: etc.
Tokens prepared for LDA: ['approve', 'application', 'active', 'rezoning', 'application', 'multi', 'residential', 'commercial', 'industrial', 'institutional', 'information', 'include', 'follow']
Original Request: The number of Toronto taxicab complaints broken down by taxi company and year, for "driver used cell phone without a hands-free device." Drawn from this customer complaints form: http://cityoftoronto.fluidsurveys.com/s/totaxis.
Tokens prepared for LDA: ['toronto', 'taxicab', 'complaint', 'break', 'company', 'driver', 'phone', 'device', 'draw', 'customer', 'complaint', 'http://cityoftoronto.fluidsurveys.com/s/totaxis']
Original Request: A copy of Toronto Public Health investigative file pertaining to dog bite incident involving {} on Jun. 26, 2016
Tokens prepared for LDA: ['toronto', 'public', 'health', 'investigative', 'pertain', 'incident', 'involve']
Original Request: Record of all information and photos related to inspection at {} under permit # 12-167019 BLD, PLB & HVA 00, 01 and 12-157230 BR. Record search from 2012 to present.
Tokens prepared for LDA: ['record', 'information', 'photo', 'relate', 'inspection', 'permit', '167019', '157230', 'record', 'search', 'present']
Original Request: Information related to custodial services provided by members of Local 79 and Impact Cleaning Services at Union Station. Sole Source Purchase Order 6028188 and any associated contract.
Tokens prepared for LDA: ['information', 'relate', 'custodial', 'service', 'provide', 'member', 'local', 'impact', 'cleaning', 'services', 'union', 'station', 'source', 'purchase', 'order', '6028188', 'associate', 'contract']
Original Request: A copy of fire inspection report for {} following investigation on Jun. 17, 2016. Also, documentation of any notices of violations, notes and correspondence related to the property. Record search from Jun. 16, 2016 to Jul. 31, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'documentation', 'notice', 'violation', 'correspondence', 'relate', 'property', 'record', 'search']
Original Request: All records of complaints made against property located at {} by {} and any other party in relation to the spillage of concrete near the site and work being performed on unauthorized days (Sunday).
Tokens prepared for LDA: ['record', 'complaint', 'property', 'locate', 'party', 'relation', 'spillage', 'concrete', 'perform', 'unauthorized', 'sunday']
Original Request: A complete copy of building file for {.}. Record search from 2013 to present.
Tokens prepared for LDA: ['complete', 'build', 'record', 'search', 'present']
Original Request: All e-mails sent and received from {} between November 10 to 20, 2015 regarding an investigation and subsequent communications regarding {}. Record search from Nov. 10, 2015 to Nov. 20, 2015.
Tokens prepared for LDA: ['receive', 'november', 'regard', 'investigation', 'subsequent', 'communication', 'regard', 'record', 'search', 'november', 'november']
Original Request: A complete copy of building file for {} including those documents related to files: 12-297033 1301, 1302, 1213, 1213, 1314, 1329, 1330 and 12-297071 1303 & 1302 (which are a part of the main building file).
Tokens prepared for LDA: ['complete', 'build', 'include', 'document', 'relate', '297033', '297071', 'build']
Original Request: Copies of Committee of Adjustments (public) submissions (e-mail and written correspondence) in relation to file for {} file No. A 1199/15 TEY. Records should include but is not limited to: The Grange Community etc.
Tokens prepared for LDA: ['copy', 'committee', 'adjustment', 'public', 'submission', 'write', 'correspondence', 'relation', '1199/15', 'record', 'include', 'limit', 'grange', 'community']
Original Request: Record of all building code violations, permits and complaints issued against property located at {}.
Tokens prepared for LDA: ['record', 'build', 'violation', 'permit', 'complaint', 'issue', 'property', 'locate']
Original Request: Record of all building permits issued to {} including violations, property system report and fire inspection reports. Record search as far back as possible to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'include', 'violation', 'property', 'report', 'inspection', 'report', 'record', 'search', 'possible', 'present']
Original Request: Copies of all Toronto Water records regarding sewer back-up and/or basement flooding at {}. Record search from June 24, 2015 to Jun. 24, 2016.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'regard', 'sewer', 'and/or', 'basement', 'flood', 'record', 'search']
Original Request: Any records relating to possible locations for a casino in Toronto other than the Woodbine Casino. Any discussion with or about Caesars Entertainment Operating Co., or any of its affiliates.
Tokens prepared for LDA: ['record', 'relate', 'possible', 'location', 'casino', 'toronto', 'woodbine', 'casino', 'discussion', 'caesar', 'entertainment', 'operate', 'affiliate']
Original Request: All investigation records relating to Toronto Public Health (TPH)'s investigation of the Ontario Endoscopy Clinic (1315 Finch Avenue West, Suite 302, Toronto) regarding a Hepatitis C outbreak on March 15. 2013.
Tokens prepared for LDA: ['investigation', 'record', 'relate', 'toronto', 'public', 'health', 'investigation', 'ontario', 'endoscopy', 'clinic', 'finch', 'avenue', 'suite', 'toronto', 'regard', 'hepatitis', 'outbreak', 'march']
Original Request: A copy of the identity of the person(s) who complained about the compliance of construction work at {} not matching the specifications of the building plan.
Tokens prepared for LDA: ['identity', 'person(s', 'complain', 'compliance', 'construction', 'match', 'specification', 'build']
Original Request: All records of complaints and investions gainst in relation to property located at {} from Jan. 1, 2015 to Jul. 22, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'investions', 'gainst', 'relation', 'property', 'locate', 'january']
Original Request: All records of complaints and investions gainst in relation to property located at {} from Jan. 1, 2015 to Jul. 22, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'investions', 'gainst', 'relation', 'property', 'locate', 'january']
Original Request: Record of damaged caused to City vehicle, Dodge RAM 500, following motor vehicle accident involving {} who was driving at the time of the incident. Records include but are not limited to photos, estimates and/or invoices.
Tokens prepared for LDA: ['record', 'damage', 'cause', 'vehicle', 'dodge', 'follow', 'motor', 'vehicle', 'accident', 'involve', 'drive', 'incident', 'record', 'include', 'limit', 'photo', 'estimate', 'and/or', 'invoice']
Original Request: Record of all 311 complaints received in relation to {.} - the entire building inclusive. Record search from 2013 to present.
Tokens prepared for LDA: ['record', 'complaint', 'receive', 'relation', 'entire', 'build', 'inclusive', 'record', 'search', 'present']
Original Request: All e-mails pertaining to Toronto Sun media request regarding Ashbridges Bay Wastewater Treatment Plant. Record search to be from July 12, 2016 to July 15, 2016.
Tokens prepared for LDA: ['pertain', 'toronto', 'medium', 'request', 'regard', 'ashbridges', 'wastewater', 'treatment', 'plant', 'record', 'search']
Original Request: All files related to permit applications (including all inspection notes) submitted in relation to TSCC 2085 ,{} and {}.
Tokens prepared for LDA: ['relate', 'permit', 'application', 'include', 'inspection', 'submit', 'relation']
Original Request: A complete copy of Animal Services file No. A16-023135.
Tokens prepared for LDA: ['complete', 'animal', 'services', '023135']
Original Request: A copy of incident report provided by park guardian/City staff following an accident involving {} while playing hockey.
Tokens prepared for LDA: ['incident', 'report', 'provide', 'guardian', 'staff', 'follow', 'accident', 'involve', 'hockey']
Original Request: 311 call record and service request report for sewer line block on July 29, 2016 at {} Call was made to 311 on July 29, 2016 at 12.27 pm.
Tokens prepared for LDA: ['record', 'service', 'request', 'report', 'sewer', 'block', '12.27']
Original Request: A copy of building inspectors' notes for permit # 16-116231 BLD 00 BA; plumbing permit # 16-116231 PLB 00 PS for {}. Record search from March 1, 2016 to July 31, 2016.
Tokens prepared for LDA: ['build', 'inspector', 'permit', '116231', 'plumb', 'permit', '116231', 'record', 'search', 'march']
Original Request: All building permits and inspections records for {} from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'january', 'present']
Original Request: A copy of fire inspection report for {}. Record search from April 1, 2016 to July 12, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'april']
Original Request: A copy of plans of Committee of Adjustment file for {}, file No. A126/03HY.
Tokens prepared for LDA: ['committee', 'adjustment', 'a126/03hy']
Original Request: The identity of the caller who made complaints to 311 against {} in the summer of July 2016 and June/July 2015.
Tokens prepared for LDA: ['identity', 'caller', 'complaint', 'summer']
Original Request: Name of company and/or companies under contract with the City of Toronto to provide landline telephone services and when said contracts expire or come up for renewal.
Tokens prepared for LDA: ['company', 'and/or', 'company', 'contract', 'toronto', 'provide', 'landline', 'telephone', 'service', 'contract', 'expire', 'renewal']
Original Request: Records of inspection for solarium and/or any other addition for {}, North York. Record search from Jan. 1, 1985 to Dec. 31, 2014.
Tokens prepared for LDA: ['record', 'inspection', 'solarium', 'and/or', 'addition', 'north', 'record', 'search', 'january', 'december']
Original Request: All e-mails sent and received between 5:00 p.m. and 11:59 p.m. on June 27, 2016 by the following individuals of Mayor's Office: Amanda Galbraith Siri Agrell Keerthana Kamalavasan (no specific subject identified)
Tokens prepared for LDA: ['receive', '11:59', 'follow', 'individual', 'mayor', 'office', 'amanda', 'galbraith', 'agrell', 'keerthana', 'kamalavasan', 'specific', 'subject', 'identify']
Original Request: A copy of 2016 service card showing details of lateral water and sewer connections to the property of {}.
Tokens prepared for LDA: ['service', 'lateral', 'water', 'sewer', 'connection', 'property']
Original Request: All records regarding {} in relation to his experience with SSHA staff and his landlord. Records should include-mail correspondence among and between the listed individuals etc.
Tokens prepared for LDA: ['record', 'regard', 'relation', 'experience', 'staff', 'landlord', 'record', 'include', 'correspondence', 'individual']
Original Request: Record identifying the individual who complained about dog related noises at {}, ref. no. A-16-027300.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complain', 'relate', 'noise', '027300']
Original Request: All reports from 311 and ML&S for {} Scarborough from Jan. 2014 to current.
Tokens prepared for LDA: ['report', 'scarborough', 'january', 'current']
Original Request: Details of complaints and investigations for {} from August 1, 2008 onwards.
Tokens prepared for LDA: ['details', 'complaint', 'investigation', 'august', 'onward']
Original Request: A copy of dog attack records for the incident that occurred on July 13, 2016 on the sidewalk in front of {} Scarborough. Please also include animal control notes.
Tokens prepared for LDA: ['attack', 'record', 'incident', 'occur', 'sidewalk', 'scarborough', 'include', 'animal', 'control']
Original Request: Copies of all engineers reports related to {} under file No. 15 108101.
Tokens prepared for LDA: ['copy', 'engineer', 'report', 'relate', '108101']
Original Request: Copies of inspection reports, notes and observations in relation to investigations at {}.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'observation', 'relation', 'investigation']
Original Request: Copies of inspection reports, notes and observations in relation to investigations at {}.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'observation', 'relation', 'investigation']
Original Request: Record of any of the following person and associated business name (including the variations) having held a license for contracting/renovating work in the City of Toronto: 1. Paul Michael Mcaloon 2. Paul Mcaloon 3. Emerald Isle Contracting etc.
Tokens prepared for LDA: ['record', 'follow', 'person', 'associate', 'business', 'include', 'variation', 'license', 'contract', 'renovate', 'toronto', 'michael', 'mcaloon', 'mcaloon', 'emerald', 'contracting']
Original Request: Record identifying the individual who complained about a cat living at {}, ref. no. a16-028401, inspector badge no. 240.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complain', '028401', 'inspector', 'badge']
Original Request: A complete listing of the line items associated with headings from the 2015 Operating Budget for Parks Forestry & Recreation - 2015 Service Budget. The headings are as follows: Gross Expenses - Toronto Island Ferry Operations etc.
Tokens prepared for LDA: ['complete', 'associate', 'heading', 'operate', 'budget', 'parks', 'forestry', 'recreation', 'service', 'budget', 'heading', 'follow', 'gross', 'expense', 'toronto', 'island', 'ferry', 'operations']
Original Request: A copy of permit issued for tree removal from the property of {}.
Tokens prepared for LDA: ['permit', 'issue', 'removal', 'property']
Original Request: A copy of Toronto Water file in relation to Toronto's Sewer Rehabilitation Program in 2015 on Cheshire Dr. Copies all records which indicate those companies and/or individuals involved in the program etc.
Tokens prepared for LDA: ['toronto', 'water', 'relation', 'toronto', 'sewer', 'rehabilitation', 'program', 'cheshire', 'copy', 'record', 'indicate', 'company', 'and/or', 'individual', 'involve', 'program']
Original Request: All records released in response to FOI requests made by media requesters in 2015. Please release the records, in full, in electronic form (on a CD, rather than a printout, and an electronic spreadsheet file rather than a PDF, for any databases).
Tokens prepared for LDA: ['record', 'release', 'response', 'request', 'medium', 'requester', 'release', 'record', 'electronic', 'printout', 'electronic', 'spreadsheet', 'database']
Original Request: A copy of investigative reports into dog bite incident at {}. Reference # 112577 & A16-24070. Record search from Jun. 22, 2015 to present.
Tokens prepared for LDA: ['investigative', 'report', 'incident', 'reference', '112577', '24070', 'record', 'search', 'present']
Original Request: Record of the number of property standards orders which have been issued against property located at {}, its owner. Record search from April 1, 2007 to present.
Tokens prepared for LDA: ['record', 'property', 'standard', 'order', 'issue', 'property', 'locate', 'owner', 'record', 'search', 'april', 'present']
Original Request: A copy of animal services file concerning complaint of a dog off-leash, which was identified as a Pit Bull at the property of {.}. Record search from Nov. 20, 2015 to Nov. 28, 2015.
Tokens prepared for LDA: ['animal', 'service', 'concern', 'complaint', 'leash', 'identify', 'property', 'record', 'search', 'november', 'november']
Original Request: Copies of all building permit documents for {} including, applications and inspection reports and notes. Record search from Sep. 2010 to April 2012 (inclusive).
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'include', 'application', 'inspection', 'report', 'record', 'search', 'september', 'april', 'inclusive']
Original Request: All records, information, documents in relation to all building inspections conducted at {} including but not limited to all inspection reports, inspection dates, inspection times, and all results of inspections carried out.
Tokens prepared for LDA: ['record', 'information', 'document', 'relation', 'build', 'inspection', 'conduct', 'include', 'limit', 'inspection', 'report', 'inspection', 'inspection', 'result', 'inspection', 'carry']
Original Request: A copy of animal services files related to dog attack incident involving {}, who was attacked on Jun. 14, 2016. Record search from Jun. 10, 2016 to present.
Tokens prepared for LDA: ['animal', 'service', 'relate', 'attack', 'incident', 'involve', 'attack', 'record', 'search', 'present']
Original Request: In electronic format (spreadsheet or .csv file) record of the locational coordinates for each of the 84 combined sewer overflow (CSO) outfalls cited in the City of Toronto's March 24, 2014 Update on Toronto Water Implementation etc.
Tokens prepared for LDA: ['electronic', 'format', 'spreadsheet', 'record', 'locational', 'coordinate', 'combine', 'sewer', 'overflow', 'outfall', 'toronto', 'march', 'update', 'toronto', 'water', 'implementation']
Original Request: A copy of engineers report following remedial work at {}. Record search from Jun. 1, 2016 to Jun. 30, 2016.
Tokens prepared for LDA: ['engineer', 'report', 'follow', 'remedial', 'record', 'search']
Original Request: A complete copy of building file and zoning documents for {} including any heritage designation assigned to the property. Record search from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'document', 'include', 'heritage', 'designation', 'assign', 'property', 'record', 'search', 'possible', 'present']
Original Request: Copies of Toronto Building, Toronto Fire Services, ML&S and Toronto Public Health inspection reports related to {}. Record search from May 2016 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'toronto', 'services', 'toronto', 'public', 'health', 'inspection', 'report', 'relate', 'record', 'search', 'present']
Original Request: A copy of all records related to permit No. 00 332319 CMB 00 NR for alterations to the existing building.
Tokens prepared for LDA: ['record', 'relate', 'permit', '332319', 'alteration', 'exist', 'build']
Original Request: Record of all notes and photographs of Municipal Standards Officer Andrew Dacosta, in relation to an order issued against property located at {}, Folder # 16196850PRS00IV, RM #: RN 111678334CA.
Tokens prepared for LDA: ['record', 'photograph', 'municipal', 'standard', 'officer', 'andrew', 'dacosta', 'relation', 'order', 'issue', 'property', 'locate', 'folder', '16196850prs00iv', '111678334ca']
Original Request: Complete copies of Toronto Building and City Planning - Heritages files (including applications) for {}. Record search from Jan. 2015 to Aug. 15, 2016.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'planning', 'heritage', 'include', 'application', 'record', 'search', 'january', 'august']
Original Request: Complete copies of Toronto Building and City Planning - Heritages files (including applications) for {}. Record search from Jan. 2015 to Aug. 15, 2016.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'planning', 'heritage', 'include', 'application', 'record', 'search', 'january', 'august']
Original Request: A copy of fire inspection report for the main floor area of {} following investigation on Jul. 21, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'floor', 'follow', 'investigation']
Original Request: Copies of all engineers reports related to {} under file No. 15 108039.
Tokens prepared for LDA: ['copy', 'engineer', 'report', 'relate', '108039']
Original Request: Record of all municipal orders issued against property located at {}. Record search from 2013 to present.
Tokens prepared for LDA: ['record', 'municipal', 'order', 'issue', 'property', 'locate', 'record', 'search', 'present']
Original Request: Record of all municipal orders issued against property located at {}. Record search from 2013 to present.
Tokens prepared for LDA: ['record', 'municipal', 'order', 'issue', 'property', 'locate', 'record', 'search', 'present']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, fences, property standards, work orders, deficiency notices, violations etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice', 'violation']
Original Request: A complete copy of: Toronto Building, Toronto Fire and City Planning files for {} from as far back as possible.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'toronto', 'planning', 'possible']
Original Request: Any building permit file, alternation file for {}, including building permit application # 35970 and the old Metro Toronto file # 24T-2967. Record search from 1980 to current.
Tokens prepared for LDA: ['build', 'permit', 'alternation', 'include', 'build', 'permit', 'application', '35970', 'metro', 'toronto', '24t-2967', 'record', 'search', 'current']
Original Request: A copy of dog attack records for the incident that occurred on May 11, 2016 on the sidewalk in front of {} Scarborough. Please also include animal control notes.
Tokens prepared for LDA: ['attack', 'record', 'incident', 'occur', 'sidewalk', 'scarborough', 'include', 'animal', 'control']
Original Request: Reports, notes, observations relating to fire inspection of {}. The inspections were done on June 2, 2016 and Aug. 8, 2016.
Tokens prepared for LDA: ['report', 'observation', 'relate', 'inspection', 'inspection', 'august']
Original Request: Any records relating to land value increases in the downtown core as a result of the proposed Toronto Rail Deck Park. Any records relating to a Tax Increment Financing zone in the downtown core.
Tokens prepared for LDA: ['record', 'relate', 'value', 'increase', 'downtown', 'result', 'propose', 'toronto', 'record', 'relate', 'increment', 'financing', 'downtown']
Original Request: Copies of all documentation relating to {}; ML&S complaints; property standards; mold; water damage; insect infestations; air quality; moisture readings and any fines/sanctions against the building etc.
Tokens prepared for LDA: ['copy', 'documentation', 'relate', 'complaint', 'property', 'standard', 'water', 'damage', 'insect', 'infestation', 'quality', 'moisture', 'reading', 'sanction', 'build']
Original Request: Building permits, applications, inspection records, work orders, notices of violations; inspection records, notice of violations, work orders from Fire Services, Public Health and ML&S for } for the past 50 years.
Tokens prepared for LDA: ['building', 'permit', 'application', 'inspection', 'record', 'order', 'notice', 'violation', 'inspection', 'record', 'notice', 'violation', 'order', 'services', 'public', 'health']
Original Request: Record of all complaints, charges/indictments and violations brought against property located at {}. Including, any by-law indictment related reports. Record search from Jan. 1, 1990 to Aug. 30, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'charge', 'indictment', 'violation', 'bring', 'property', 'locate', 'include', 'indictment', 'relate', 'report', 'record', 'search', 'january', 'august']
Original Request: A copy of statement provided to Animal Services following dog bite incident involving {} who was bitten. Record search from Feb. 28, 2016 to Oct. 3, 2016.
Tokens prepared for LDA: ['statement', 'provide', 'animal', 'services', 'follow', 'incident', 'involve', 'record', 'search', 'february', 'october']
Original Request: Still images of red light camera at the intersection of Eglinton Ave. E., and Birchmount Rd., for the time frame 11:35 p.m. & 11:50 p.m., on Oct. 26, 2015. Images should show a grey 2011 Volkswagen.
Tokens prepared for LDA: ['image', 'light', 'camera', 'intersection', 'eglinton', 'birchmount', 'frame', '11:35', '11:50', 'october', 'image', 'volkswagen']
Original Request: Record of the number of registered driving schools for passenger cars in the city, the number of vehicles registered for use as instruction vehicles and the count by make of these vehicles. Record search from Jan. 1, 2015 to Dec. 31, 2015.
Tokens prepared for LDA: ['record', 'register', 'drive', 'school', 'passenger', 'vehicle', 'register', 'instruction', 'vehicle', 'count', 'vehicle', 'record', 'search', 'january', 'december']
Original Request: From the Schedule 1 Designer Information; Application to Construct or Demolish and the Plumbing Data Sheet forms for all properties with existing and / or completed jobs within Forest Hill and Rosedale.
Tokens prepared for LDA: ['schedule', 'designer', 'information', 'application', 'construct', 'demolish', 'plumbing', 'sheet', 'property', 'exist', 'complete', 'forest', 'rosedale']
Original Request: From the Schedule 1 Designer Information; Application to Construct or Demolish and the Plumbing Data Sheet forms for all properties with existing and / or completed jobs within Forest Hill and Rosedale.
Tokens prepared for LDA: ['schedule', 'designer', 'information', 'application', 'construct', 'demolish', 'plumbing', 'sheet', 'property', 'exist', 'complete', 'forest', 'rosedale']
Original Request: A copy of fire inspection and property standards reports for investigations conducted at {} on June 17, 2016 and Jun. 21, 2016 respectively.
Tokens prepared for LDA: ['inspection', 'property', 'standard', 'report', 'investigation', 'conduct', 'respectively']
Original Request: All inspection reports pertaining to the closing of permit # 423503 issued to {}.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'close', 'permit', '423503', 'issue']
Original Request: Copies of all Municipal documents related to the existence of a grow-op at {} including, any remediation work completed. Documentation of the meaning of the phrase 'property secure', as it would appear on a building inspection report.
Tokens prepared for LDA: ['copy', 'municipal', 'document', 'relate', 'existence', 'include', 'remediation', 'complete', 'documentation', 'phrase', 'property', 'secure', 'appear', 'build', 'inspection', 'report']
Original Request: A copy of building inspection notes, results and reports as prepared by Samuel Choy, Senior Building Inspector, for building permit # 05-128493 BLD and its revised version, for the property located at {}.
Tokens prepared for LDA: ['build', 'inspection', 'result', 'report', 'prepare', 'samuel', 'senior', 'building', 'inspector', 'build', 'permit', '128493', 'revise', 'version', 'property', 'locate']
Original Request: Copies of building documents for {} namely, the specification book, final inspection report and notes for the original plumbing permit. Record search from 1968 to 1971.
Tokens prepared for LDA: ['copy', 'build', 'document', 'specification', 'final', 'inspection', 'report', 'original', 'plumb', 'permit', 'record', 'search']
Original Request: Record of all documents relating to the June 17, 2016 fatality caused by a falling branch from a City of Toronto tree in Trinity Bellwoods Park as well as the city's subsequent response. This includes but is not be limited to: fallen tree incident reports.
Tokens prepared for LDA: ['record', 'document', 'relate', 'fatality', 'cause', 'branch', 'toronto', 'trinity', 'bellwoods', 'subsequent', 'response', 'include', 'limit', 'incident', 'report']
Original Request: Record of any complaints with regards to lighting issues in tree, waste disposal or any other concerns in relation to property located at {}. Record search from Mar. 2016 to present.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'light', 'issue', 'waste', 'disposal', 'concern', 'relation', 'property', 'locate', 'record', 'search', 'march', 'present']
Original Request: 1. Any records that evidence, reference, survey, or relate to the purchase or installation of guardrail end terminal systems, including the ET Plus System, installed on the roads and highways of the City of Toronto from 2005 to the present etc.
Tokens prepared for LDA: ['record', 'evidence', 'reference', 'survey', 'relate', 'purchase', 'installation', 'guardrail', 'terminal', 'include', 'install', 'highway', 'toronto', 'present']
Original Request: A copy of toronto water records for {} in relation to flooding at the property on June 10, 2014: (a) A copy of the City's notes, records, reports, e-mail communications, with respect any and all construction that occurred etc.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relation', 'flood', 'property', 'record', 'report', 'communication', 'respect', 'construction', 'occur']
Original Request: A copy of the Animal Service and Public Health records related to a dog bite at {}, involving {}. Including, any other recorded incidents involving that particular dog and/or it's owners. The incident occurred on May 21, 2016.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'record', 'relate', 'involve', 'include', 'record', 'incident', 'involve', 'particular', 'and/or', 'owner', 'incident', 'occur']
Original Request: A copy of video surveillance footage from the 2nd floor south wing of Westburn Manor LTC on June 7, 2016 from 12:00pm to 3:30 pm. Footage should capture the activities of resident {}, who was found with bodily injuries sometime around 3:30 pm.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'floor', 'south', 'westburn', 'manor', '12:00pm', 'footage', 'capture', 'activity', 'resident', 'bodily', 'injury']
Original Request: All inspections reports related to renovation at {} Record search from July 2015 to present.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'renovation', 'record', 'search', 'present']
Original Request: All correspondence and records regarding concrete testing at {} including building orders and test results for underpinning/ concrete strength. All e-mail records from the e-mail of Will Johnston at wjohnst2@toronto.ca etc.
Tokens prepared for LDA: ['correspondence', 'record', 'regard', 'concrete', 'include', 'build', 'order', 'result', 'underpinning/', 'concrete', 'strength', 'record', 'johnston', 'wjohnst2@toronto.ca']
Original Request: In reference to e-mail string dated May 9, 2013 between Ted Van Vliet and John Heggie, requested is: a copy of the report mentioned in the e-mail string, Including documentation as to when Ann reviewed the report and with whom she reviewed etc.
Tokens prepared for LDA: ['reference', 'string', 'vliet', 'heggie', 'request', 'report', 'mention', 'string', 'include', 'documentation', 'review', 'report', 'review']
Original Request: All records related to the 94 Cumberland St. site development including, but not limited to e-mails, meeting minutes, scheduled meetings, etc., between the developer - Minto also known as MSB 94 Cumberland Ltd., Partnership and/or 94 Cumberland GP etc.
Tokens prepared for LDA: ['record', 'relate', 'cumberland', 'development', 'include', 'limit', 'minute', 'schedule', 'meeting', 'developer', 'minto', 'cumberland', 'partnership', 'and/or', 'cumberland']
Original Request: All records related to the 94 Cumberland St. site development including, but not limited to e-mails, meeting minutes, scheduled meetings, etc., between the developer - Minto also known as MSB 94 Cumberland Ltd., Partnership and/or 94 Cumberland GP etc.
Tokens prepared for LDA: ['record', 'relate', 'cumberland', 'development', 'include', 'limit', 'minute', 'schedule', 'meeting', 'developer', 'minto', 'cumberland', 'partnership', 'and/or', 'cumberland']
Original Request: A copy of building file folder file No. 16 44372 ZPR for {}. Record search from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['build', 'folder', '44372', 'record', 'search', 'january', 'present']
Original Request: A copy of building file folder file No. 16 44372 ZPR for {}. Record search from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['build', 'folder', '44372', 'record', 'search', 'january', 'present']
Original Request: A copy of Soil Engineers Report prepared by Pazin for {}.
Tokens prepared for LDA: ['engineer', 'report', 'prepare', 'pazin']
Original Request: Electronic copies of all documents related to the Mayor's social media residency, including but not limited to job postings, contracts, and correspondence. In addition, how many people applied for the position, how much the hired candidate was paid
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'mayor', 'social', 'medium', 'residency', 'include', 'limit', 'posting', 'contract', 'correspondence', 'addition', 'people', 'apply', 'position', 'candidate']
Original Request: An entire animal services file and public health file for the dog bite incident that occurred on July 21, 2016 at {}
Tokens prepared for LDA: ['entire', 'animal', 'service', 'public', 'health', 'incident', 'occur']
Original Request: Records of all phone calls to the City in relation to tree maintenance at {}. All maintenance and service records, etc., specifically those related to work completed in the week of Aug. 16, 2016 on the property.
Tokens prepared for LDA: ['record', 'phone', 'relation', 'maintenance', 'maintenance', 'service', 'record', 'specifically', 'relate', 'complete', 'august', 'property']
Original Request: A copy of City inspection notes and reports in relation to waste water back up on Aug. 12, 2016 at the property of {} as a result of Rio Can Development construction activity at }.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'waste', 'water', 'august', 'property', 'result', 'development', 'construction', 'activity']
Original Request: Record of all building permits, permit applications orders and orders comply which have been issued to 38 Metropolitan Rd. - 2292319 Ontario Inc.
Tokens prepared for LDA: ['record', 'build', 'permit', 'permit', 'application', 'order', 'order', 'comply', 'issue', 'metropolitan', '2292319', 'ontario']
Original Request: With respect to {} and the following associated permit applications, permits and inspections: 15263906 DEM 15263917 BLD 15263917 HVA 15263917 PLB 16 137181 PSA etc.
Tokens prepared for LDA: ['respect', 'follow', 'associate', 'permit', 'application', 'permit', 'inspection', '15263906', '15263917', '15263917', '15263917', '137181']
Original Request: A copy of security video footage from the property of 843 Eastern Ave. - Fleet Services on June 22, 2016. Footage should capture a collision involving a NAPA Ford series Pick-up and a City of Toronto rental van, in which the driver of the NAPA van leaves.
Tokens prepared for LDA: ['security', 'video', 'footage', 'property', 'eastern', 'fleet', 'services', 'footage', 'capture', 'collision', 'involve', 'series', 'toronto', 'rental', 'driver', 'leave']
Original Request: A copy of building permit and other documents related to the construction of a second storey structure located at {} by Four Seasons Sunrooms. Record search from 1999 to 2006.
Tokens prepared for LDA: ['build', 'permit', 'document', 'relate', 'construction', 'storey', 'structure', 'locate', 'season', 'sunroom', 'record', 'search']
Original Request: The name or address of the person made a complaint to the City regarding permit issues and/or construction activity at the property of {}. Record search Jun. 1, 2016 to Aug. 17, 2016.
Tokens prepared for LDA: ['address', 'person', 'complaint', 'regard', 'permit', 'issue', 'and/or', 'construction', 'activity', 'property', 'record', 'search', 'august']
Original Request: 1. Copies of film permits for parking in front of 26, 30 & 32 Wellington St. E., for use on Aug. 7, 2016 and immediately prior to this date. SEE FULL TEXT
Tokens prepared for LDA: ['copy', 'permit', 'wellington', 'august', 'immediately', 'prior']
Original Request: A copy of ML&S investigative report following dog bite incident involving {} who was attacked on Jul. 12, 2016 at {} by a German Shepherd.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'incident', 'involve', 'attack', 'german', 'shepherd']
Original Request: Record of 311 calls on Jul. 14, 2016, ref# 4131200 and Aug. 3, 2016, ref# 4169767.
Tokens prepared for LDA: ['record', '4131200', 'august', '4169767']
Original Request: Record of sewer work completed on/near the area of {} on or around April 14, 2016. Documents should include, contractor details, incident reports and communication (internal and external) regarding any loss etc.
Tokens prepared for LDA: ['record', 'sewer', 'complete', 'april', 'document', 'include', 'contractor', 'incident', 'report', 'communication', 'internal', 'external', 'regard']
Original Request: A complete copy of building file for {} including plans and drawings for the period Sep. 2015 to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'drawing', 'period', 'september', 'present']
Original Request: Record of all municipal orders issued against property located at {}. Record search from 2013 to present.
Tokens prepared for LDA: ['record', 'municipal', 'order', 'issue', 'property', 'locate', 'record', 'search', 'present']
Original Request: Record of all municipal orders issued against property located at {}. Record search from 2013 to present.
Tokens prepared for LDA: ['record', 'municipal', 'order', 'issue', 'property', 'locate', 'record', 'search', 'present']
Original Request: All ML&S records and complaints from {} about {.} including document showing reasons, date and time for by-law officers visits from Feb. 1, 2015 to present.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'document', 'reason', 'officer', 'visit', 'february', 'present']
Original Request: Record of all notes and other related documents in relation to fire incident at {}. Record search from May 21, 2016 to present.
Tokens prepared for LDA: ['record', 'relate', 'document', 'relation', 'incident', 'record', 'search', 'present']
Original Request: A complete copy of Committee of Adjustment file for {} under file No. A207/03HY, including plans, correspondence and reports submitted in support of the minor variance application and all information used by the Committee etc.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'a207/03hy', 'include', 'correspondence', 'report', 'submit', 'support', 'minor', 'variance', 'application', 'information', 'committee']
Original Request: All information, including but not limited to call logs, Urban Forestry notes/reports, Toronto Water notes/reports, etc, pertaining to any issues related to trees or sewage on {} from July 2014 to present.
Tokens prepared for LDA: ['information', 'include', 'limit', 'urban', 'forestry', 'report', 'toronto', 'water', 'report', 'pertain', 'issue', 'relate', 'sewage', 'present']
Original Request: Record of all noise complaints made against {}. Record search from Jul. 2012 to present.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'record', 'search', 'present']
Original Request: Copies of invoices and any other supportive documents related to water supply line replacement at {} in 2011, as a result of the water lines freezing.
Tokens prepared for LDA: ['copy', 'invoice', 'supportive', 'document', 'relate', 'water', 'supply', 'replacement', 'result', 'water', 'freeze']
Original Request: Maintenance and assessment records for the city tree on property located at {} including complaint calls received with regards to said tree. Record search from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['maintenance', 'assessment', 'record', 'property', 'locate', 'include', 'complaint', 'receive', 'regard', 'record', 'search', 'january', 'present']
Original Request: Two MLS file folders,#2015-229302 OTC 00 VI In Date/Issued Date 09/28/2015 and #2015-230687 OTC 00 VI In Date/Issued Date 09/30/2015 relating to {}.
Tokens prepared for LDA: ['folders,#2015', '229302', 'issue', '09/28/2015', '230687', 'issue', '09/30/2015', 'relate']
Original Request: A copy of complete file for the dog bite incident that occurred on June 19, 2016 at {}.
Tokens prepared for LDA: ['complete', 'incident', 'occur']
Original Request: City of Toronto unclaimed cheques drawn between Jan. 1, 2015 and Dec. 31, 2015, and still outstanding by July 1, 2016. Include cheque number, cheque date, amount, beneficiary name.
Tokens prepared for LDA: ['toronto', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'include', 'cheque', 'cheque', 'beneficiary']
Original Request: Record of any existing orders issued to {} to: any investigations with respect to common areas and individual units, orders to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'investigation', 'respect', 'common', 'individual', 'order', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage']
Original Request: Building permits, applications, inspection records, work orders, notices of violations; inspection records, notice ofviolations, work orders from Fire Services, Public Health and ML&S for {} for the past 50 years.
Tokens prepared for LDA: ['building', 'permit', 'application', 'inspection', 'record', 'order', 'notice', 'violation', 'inspection', 'record', 'notice', 'ofviolations', 'order', 'services', 'public', 'health']
Original Request: A copy of Engineering/Works subdivision File # C-31-741. Records should include any drawings, certifications or inspection reports associated with the file.
Tokens prepared for LDA: ['engineering', 'works', 'subdivision', 'record', 'include', 'drawing', 'certification', 'inspection', 'report', 'associate']
Original Request: A copy of fire inspection report for {}, pertaining to a gate installation to the back of the property; which is adjoined to {}. Record search from May 5, 2016 to July 20, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'installation', 'property', 'adjoin', 'record', 'search']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Information pertaining to the following unclaimed cheques bearing the names: Bell Canada Holdings Ltd, Bell Canada - Public Access, Bell Mobility Paging and Astral Media from 2010, 2011 and 2013. Information is requested on the check # and amount on the fo
Tokens prepared for LDA: ['information', 'pertain', 'follow', 'unclaimed', 'cheque', 'canada', 'holding', 'canada', 'public', 'access', 'mobility', 'paging', 'astral', 'medium', 'information', 'request', 'check']
Original Request: Record of all ML&S investigative reports at {} and complaint records in relation to termite, rodent infestations etc., and issues with regards to complaint about a dog in the building. Record search from Jan. 1, 2010 to present
Tokens prepared for LDA: ['record', 'investigative', 'report', 'complaint', 'record', 'relation', 'termite', 'rodent', 'infestation', 'issue', 'regard', 'complaint', 'build', 'record', 'search', 'january', 'present']
Original Request: In reference to e-mail string dated Jan. 1, 2013 between Ted Van Vliet and John Heggie, requested is: a copy of the briefing note mentioned in the e-mail string, including if not already in the memo the applicability of 297 vs 694.
Tokens prepared for LDA: ['reference', 'string', 'january', 'vliet', 'heggie', 'request', 'brief', 'mention', 'string', 'include', 'applicability']
Original Request: A copy of Facilities Management quality assurance reports on contract cleaners within the city for all contracted out facilities/contracts. E.g. facilities include Toronto Police Service locations, Union Station and Civic Centres.
Tokens prepared for LDA: ['facility', 'management', 'quality', 'assurance', 'report', 'contract', 'cleaner', 'contract', 'facility', 'contract', 'facility', 'include', 'toronto', 'police', 'service', 'location', 'union', 'station', 'civic', 'centre']
Original Request: All records and permits for {} from Building.
Tokens prepared for LDA: ['record', 'permit', 'building']
Original Request: Transcripts of a phone call made to 311 on or about July 22 between 7.30 and 8.00 am. Call was made from cell phone.
Tokens prepared for LDA: ['transcript', 'phone', 'phone']
Original Request: A copy of Fire Inspector's Order in respect to the basement unit at {}., Toronto. Record search from April 1, 2016 to June 30 ,2016.
Tokens prepared for LDA: ['inspector', 'order', 'respect', 'basement', 'toronto', 'record', 'search', 'april']
Original Request: Copies all proposals submitted in response to RFP No. 9112-16-7070 for Provision of Interpretation Services on Behalf of Toronto Public Health. These should include: -Pricing information included in all proposals etc.
Tokens prepared for LDA: ['copy', 'proposal', 'submit', 'response', 'provision', 'interpretation', 'services', 'behalf', 'toronto', 'public', 'health', 'include', '-pricing', 'information', 'include', 'proposal']
Original Request: A copy of investigative reports into dog bite incident at {} involving {} who was bitten on Aug. 10, 2012.
Tokens prepared for LDA: ['investigative', 'report', 'incident', 'involve', 'august']
Original Request: Record of any City inspection reports and documents, related to sewage, drainage and water pipe connections to property located at {}. Record search from Jan. 20, 2015 to Feb. 15, 2015.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'document', 'relate', 'sewage', 'drainage', 'water', 'connection', 'property', 'locate', 'record', 'search', 'january', 'february']
Original Request: All records (reports, documents, etc.) related to City inspections of property municipally known as {.} for the issuance of construction permits in respect of the Property.
Tokens prepared for LDA: ['record', 'report', 'document', 'relate', 'inspection', 'property', 'municipally', 'issuance', 'construction', 'permit', 'respect', 'property']
Original Request: Dog bite report for what happened, description of incident for the dog living at {} and attacking dog address at {} Case # A16-028154). Record search from July 17, 2016 to present.
Tokens prepared for LDA: ['report', 'happen', 'description', 'incident', 'attack', 'address', '028154', 'record', 'search', 'present']
Original Request: Water maintenance records pertaining to Fallingbrook Presbyterian Church at 35 Wood Glen Rd., following sewer back-up at the property: a) A copy of the City's notes, inspection and service records, for any work done to the sewage system located etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'fallingbrook', 'presbyterian', 'church', 'follow', 'sewer', 'property', 'inspection', 'service', 'record', 'sewage', 'locate']
Original Request: The number of Toronto Taxicab complaints broken down by taxi company for "driver used a cell phone without a hands-free device. Drawn from this customer complaint online form: http://cityoftoronto.fluidsurveys.com/s/totaxis/
Tokens prepared for LDA: ['toronto', 'taxicab', 'complaint', 'break', 'company', 'driver', 'phone', 'device', 'draw', 'customer', 'complaint', 'online', 'http://cityoftoronto.fluidsurveys.com/s/totaxis/']
Original Request: The number of Toronto Taxicab complaints broken down by taxi company for driver sexual assault. Drawn from this customer complaint online form: http://cityoftoronto.fluidsurveys.com/s/totaxis/. Record search from Jan. 1, 2015 to July 29, 2016.
Tokens prepared for LDA: ['toronto', 'taxicab', 'complaint', 'break', 'company', 'driver', 'sexual', 'assault', 'draw', 'customer', 'complaint', 'online', 'http://cityoftoronto.fluidsurveys.com', 'totaxis/.', 'record', 'search', 'january']
Original Request: Number of Toronto taxi drivers whose licenses have been revoked and the reasons why the licenses were revoked by year, for 2010-2016.
Tokens prepared for LDA: ['number', 'toronto', 'driver', 'license', 'revoke', 'reason', 'license', 'revoke']
Original Request: All documents related to {} under permit 00-352665.
Tokens prepared for LDA: ['document', 'relate', 'permit', '352665']
Original Request: A complete list of all work permits issued to {} including: 1. Any City inspection reports after June 23, 2016 and, 2. SPI engineering reports given to ML&S, which was used by Toronto etc.
Tokens prepared for LDA: ['complete', 'permit', 'issue', 'include', 'inspection', 'report', 'engineer', 'report', 'toronto']
Original Request: Record of the sale prices of standard and ambassador taxi licenses for the last 10 years up till the current day (today). Record search from Sep. 1, 2006 to present.
Tokens prepared for LDA: ['record', 'price', 'standard', 'ambassador', 'license', 'current', 'today', 'record', 'search', 'september', 'present']
Original Request: Reference to Ted Van Vliet's e-mail to John Heggie dated Oct. 15, 2012 quoting "Thankfully they have decided to go with static electronic and not full motion video", please provide a basis under which it was determined that static electronic.
Tokens prepared for LDA: ['reference', 'vliet', 'heggie', 'october', 'quote', 'thankfully', 'decide', 'static', 'electronic', 'motion', 'video', 'provide', 'basis', 'determine', 'static', 'electronic']
Original Request: 1. Any records relating to the proposed Toronto Rail Deck Park. 2. Any records relating to Oxford Property Group including all communications between the Mayor and Councillor's offices and any representatives of Oxford Property Group etc.
Tokens prepared for LDA: ['record', 'relate', 'propose', 'toronto', 'record', 'relate', 'oxford', 'property', 'group', 'include', 'communication', 'mayor', 'councillor', 'office', 'representative', 'oxford', 'property', 'group']
Original Request: 1. Any records relating to the proposed Toronto Rail Deck Park. 2. Any records relating to Oxford Property Group including all communications between the Mayor and Councillor's offices and any representatives of Oxford Property Group etc.
Tokens prepared for LDA: ['record', 'relate', 'propose', 'toronto', 'record', 'relate', 'oxford', 'property', 'group', 'include', 'communication', 'mayor', 'councillor', 'office', 'representative', 'oxford', 'property', 'group']
Original Request: CCTV footage from the camera located at Toronto Fleet Services, 1116 King St. W. There is a camera facing North/East toward the park, located on the North side of the building. It is the only camera in the back of the building.
Tokens prepared for LDA: ['footage', 'camera', 'locate', 'toronto', 'fleet', 'services', 'camera', 'north', 'locate', 'north', 'build', 'camera', 'build']
Original Request: Copies of Animal Services investigative reports and notes for file # A16-014417 & A16-015814.
Tokens prepared for LDA: ['copy', 'animal', 'services', 'investigative', 'report', '014417', '015814']
Original Request: Record of building inspection records for {} under permit # 09 179080 BLD; 09 179080 HVA; 09 179080 PLB and 10 153887 BLD. Record search from 2008 to present.
Tokens prepared for LDA: ['record', 'build', 'inspection', 'record', 'permit', '179080', '179080', '179080', '153887', 'record', 'search', 'present']
Original Request: All information, including but not limited to call logs, Urban Forestry notes/reports, Toronto Water notes/reports, etc, pertaining to any issues related to trees or sewage on {} from July 2014 to present.
Tokens prepared for LDA: ['information', 'include', 'limit', 'urban', 'forestry', 'report', 'toronto', 'water', 'report', 'pertain', 'issue', 'relate', 'sewage', 'present']
Original Request: Copies of Parks & Forestry work order or permit issued for the injuring of tree at {}. Branches were removed on Jan. 5, 2016.
Tokens prepared for LDA: ['copy', 'parks', 'forestry', 'order', 'permit', 'issue', 'injure', 'branch', 'remove', 'january']
Original Request: All records from ML&S including communication between their staff in relation to {} from May 1, 2016 to present.
Tokens prepared for LDA: ['record', 'include', 'communication', 'staff', 'relation', 'present']
Original Request: A copy of document explaining refusal to grant permit to injure, destroy or remove tree from the property of {}. Denial decision was made on March 4, 2015.
Tokens prepared for LDA: ['document', 'explain', 'refusal', 'grant', 'permit', 'injure', 'destroy', 'remove', 'property', 'denial', 'decision', 'march']
Original Request: All records on {} from ML&S and fire inspections, including complaints filed against the property with Landlord & Tenant Board, both against the property and against {}. Record search from July 2015 to Aug. 2016.
Tokens prepared for LDA: ['record', 'inspection', 'include', 'complaint', 'property', 'landlord', 'tenant', 'board', 'property', 'record', 'search', 'august']
Original Request: Any claims for damage of vehicles/cars/vans etc for claims/damage occurring on Sept. 24 and 25, 2015 at or near Lumsden Ave. and Cedarvale Ave, that were filed with the City Clerk's office. This included a Dodge Caravan.
Tokens prepared for LDA: ['claim', 'damage', 'vehicle', 'claim', 'damage', 'occur', 'september', 'lumsden', 'cedarvale', 'clerk', 'office', 'include', 'dodge', 'caravan']
Original Request: A copy of plan/survey drawing from Forestry of all City owned trees on the property at {}. The drawings should have arborist's label on them.
Tokens prepared for LDA: ['survey', 'forestry', 'property', 'drawing', 'arborist', 'label']
Original Request: All records related to building permit applications (made in 2009 and 2016) for the building of a single family home on the property of {}. All parkland dedication requirements with respect to the property, any communication etc.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'application', 'build', 'single', 'family', 'property', 'parkland', 'dedication', 'requirement', 'respect', 'property', 'communication']
Original Request: A copy of unsafe order and order clearance documents issued to 1 First Canadian Place at 100 King St. W., under order No. 07-218459 on May 16, 2007 and completed December 14, 2007.
Tokens prepared for LDA: ['unsafe', 'order', 'order', 'clearance', 'document', 'issue', 'canadian', 'place', 'order', '218459', 'complete', 'december']
Original Request: A complete copy of building file for {} now known as {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: A complete copy of building file for {} now known as {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: A copy of building file for {} including, but not limited to, building records and plans.
Tokens prepared for LDA: ['build', 'include', 'limit', 'build', 'record']
Original Request: Any records from Court Services staff and/or security officers at Old City Hall Courthouse relating to slip and fall incident of {} on July 19, 2016 between 12.30 and 1.05 pm in the east hallway of the 1st floor, between courtroom 112.
Tokens prepared for LDA: ['record', 'court', 'services', 'staff', 'and/or', 'security', 'officer', 'courthouse', 'relate', 'incident', '12.30', 'hallway', 'floor', 'courtroom']
Original Request: Any and all documents pertaining to Toronto Water sewer flushing procedures. Record of scheduled maintenance and repairs performed in the vicinity of, and/or all sewers connected to Armour Heights Presbyterian Church at 105 Wilson Heights etc.
Tokens prepared for LDA: ['document', 'pertain', 'toronto', 'water', 'sewer', 'flush', 'procedure', 'record', 'schedule', 'maintenance', 'repair', 'perform', 'vicinity', 'and/or', 'sewer', 'connect', 'armour', 'heights', 'presbyterian', 'church', 'wilson', 'heights']
Original Request: Record of any and all building orders, stop work orders, orders to comply, issued against {} under building permit # 16 113554 BLD, issued in July 2016 through to current date.
Tokens prepared for LDA: ['record', 'build', 'order', 'order', 'order', 'comply', 'issue', 'build', 'permit', '113554', 'issue', 'current']
Original Request: Any correspondence to or from the Social Development, Finance and Administration, City Manager's Office and/or Purchasing and Materials Management; in reference to consultation and implementation of the Job Quality Assessment tool.
Tokens prepared for LDA: ['correspondence', 'social', 'development', 'finance', 'administration', 'manager', 'office', 'and/or', 'purchasing', 'material', 'management', 'reference', 'consultation', 'implementation', 'quality', 'assessment']
Original Request: A copy of entire animal service file and public health file for the dog bite incident that occurred on July 6, 2016 at {}.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'public', 'health', 'incident', 'occur']
Original Request: Record of EMS calls in the area of (}. Records should indicate: 1) Dates of pick-ups 2) Times of pick-ups 3) Types and nature of incidents Record search from Aug. 1, 2010 to Aug. 25, 2016.
Tokens prepared for LDA: ['record', 'record', 'indicate', 'date', 'times', 'type', 'nature', 'incident', 'record', 'search', 'august', 'august']
Original Request: Copies of Parks & Forestry records as they pertain to application, permit and other documents to injure tree impacting {}.
Tokens prepared for LDA: ['copy', 'parks', 'forestry', 'record', 'pertain', 'application', 'permit', 'document', 'injure', 'impact']
Original Request: All records and communication documents regarding water meters and associated billing for property YCC71 from January 2008 to July 28, 2016.
Tokens prepared for LDA: ['record', 'communication', 'document', 'regard', 'water', 'meter', 'associate', 'property', 'ycc71', 'january']
Original Request: Records of asbestos removal from {}. Records search to be from Sept. 1, 2013 to Dec. 31, 2014.
Tokens prepared for LDA: ['record', 'asbestos', 'removal', 'record', 'search', 'september', 'december']
Original Request: All records regarding the search and rescue of 2 Capybaras from High Park Zoo, including but not limited to e-mails and memos. Record search from May 29, 2016 to June 28, 2016.
Tokens prepared for LDA: ['record', 'regard', 'search', 'rescue', 'capybara', 'include', 'limit', 'record', 'search']
Original Request: Following an application for a boulevard café permit at {} the following records are requested: a copy of the ballot used to conduct the poll and a certificated copy of the results completed by the City Clerk.
Tokens prepared for LDA: ['following', 'application', 'boulevard', 'permit', 'follow', 'record', 'request', 'ballot', 'conduct', 'certificate', 'result', 'complete', 'clerk']
Original Request: All records of noise complaints pertaining {} from May 1, 2016 to Jul. 27, 2016.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'pertain']
Original Request: A copy of entire animal service file and public health file for the dog bite incident that occurred on July 7, 2016 at {}.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'public', 'health', 'incident', 'occur']
Original Request: A complete copy of Committee of Adjustment file and all building permit documents for {}. Record search from Jan. 1, 2003 to present.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'build', 'permit', 'document', 'record', 'search', 'january', 'present']
Original Request: A copy of the entire Fire Lane Application File including all considerations, dispositions, appeals, site plans, photographs, and any and all other documents in your possession for {}.
Tokens prepared for LDA: ['entire', 'application', 'include', 'consideration', 'disposition', 'appeal', 'photograph', 'document', 'possession']
Original Request: Any violations records from Environmental Monitoring and Protection Unit of Toronto Water for oil and grease, Choroform and PH-Bleach in the water for Winsun Laundry at 689 Warden Ave., Unit 4-5. Record search from Jan. 1, 2014 to Aug. 31, 2016.
Tokens prepared for LDA: ['violation', 'record', 'environmental', 'monitoring', 'protection', 'toronto', 'water', 'grease', 'choroform', 'bleach', 'water', 'winsun', 'laundry', 'warden', 'record', 'search', 'january', 'august']
Original Request: A copy of video surveillance footage from the indoor parking garage of 703 Donmills Rd., sometime around 12:50 PM on July 7, 2016 of a motor vehicle collisions between a black Jetta Volkswagen and a Grey Toyota Carolla.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'indoor', 'garage', 'donmills', '12:50', 'motor', 'vehicle', 'collision', 'black', 'jetta', 'volkswagen', 'toyota', 'carolla']
Original Request: All briefing notes provided to Mayor John Tory on the Toronto real estate/housing market from Jan 1, 2016-June 20, 2016.
Tokens prepared for LDA: ['brief', 'provide', 'mayor', 'toronto', 'estate', 'house', 'market', '2016-june']
Original Request: Muzzle order issued on a dog owned by {} who lives at {}. Order was issued on July 3, 2016 for a dog attack reported to Animal Services under # 4106715.
Tokens prepared for LDA: ['muzzle', 'order', 'issue', 'order', 'issue', 'attack', 'report', 'animal', 'services', '4106715']
Original Request: All records relating to the water supply coming onto the property at {}. Type of pipe, size of pipe, dates replacements and any work done to the water supply.
Tokens prepared for LDA: ['record', 'relate', 'water', 'supply', 'property', 'replacement', 'water', 'supply']
Original Request: A copy of City contract # 15ECS-T1-125SP for road construction underway on Dec. 2, 2015 on Dundas St. E. between Greenwood and Woodfield. Also, any and all communications, notes, e-mails, minutes among the City staff Barry Budhu, Sinead Canavan.
Tokens prepared for LDA: ['contract', '15ecs', '125sp', 'construction', 'underway', 'december', 'dundas', 'greenwood', 'woodfield', 'communication', 'minute', 'staff', 'barry', 'budhu', 'sinead', 'canavan']
Original Request: Full inspection reports for {} Scarborough, including sheet of plumbing fixtures data sheet, from June 1, 2014 to Dec. 31, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'scarborough', 'include', 'sheet', 'plumb', 'fixture', 'datum', 'sheet', 'december']
Original Request: Any briefing notes presented to Mayor Tory and City Manager, Peter Wallace regarding the City of Toronto's Open Data initiative: with specific reference to the City Clerk's Office and Information & Technology co-management of open data.
Tokens prepared for LDA: ['brief', 'present', 'mayor', 'manager', 'peter', 'wallace', 'regard', 'toronto', 'initiative', 'specific', 'reference', 'clerk', 'office', 'information', 'technology', 'management', 'datum']
Original Request: All records relating to a discovery of marijuana grow-op by Toronto Police; all records of any orders to remedy an Unsafe Building made by the City to the property and any remediation reports/certificates that are available for {}.
Tokens prepared for LDA: ['record', 'relate', 'discovery', 'marijuana', 'toronto', 'police', 'record', 'order', 'remedy', 'unsafe', 'building', 'property', 'remediation', 'report', 'certificate', 'available']
Original Request: Any notes orders reports or other documents related to ML&S and/or health inspections concerning {} Record search from Jun. 20, 2017 to Jun. 20, 2018.
Tokens prepared for LDA: ['order', 'report', 'document', 'relate', 'and/or', 'health', 'inspection', 'concern', 'record', 'search']
Original Request: Any and all documentation submitted by "lconac" for RFP #9117-17-7033 (Professional Engineering Services for Distribution Water Main Condition Assessment Study). Note: potentially submitted on or about March 2017). This should also include information etc
Tokens prepared for LDA: ['documentation', 'submit', 'lconac', 'professional', 'engineering', 'services', 'distribution', 'water', 'condition', 'assessment', 'study', 'potentially', 'submit', 'march', 'include', 'information']
Original Request: A copy of financial underwriting agreement between the City of Toronto and Greenshield Canada.
Tokens prepared for LDA: ['financial', 'underwrite', 'agreement', 'toronto', 'greenshield', 'canada']
Original Request: A copy of financial underwriting agreement between the City of Toronto and Manulife.
Tokens prepared for LDA: ['financial', 'underwrite', 'agreement', 'toronto', 'manulife']
Original Request: Data on multi-residential buildings within Ward 21. Specifically/ideally the data should include: address, number of stories, powersource (how the building is heated/cooled, if sub-metered). It is requested the data be separated by Ward if possible.
Tokens prepared for LDA: ['multi', 'residential', 'building', 'specifically', 'ideally', 'datum', 'include', 'address', 'story', 'powersource', 'build', 'meter', 'request', 'datum', 'separate', 'possible']
Original Request: Records related to bicycle lanes and streetcar tracks, specifically those which address the City performing checks for surface discontinuities caused by streetcar track (i.e. track and road smoothness and so on) when installing bike lanes or deciding etc.
Tokens prepared for LDA: ['record', 'relate', 'bicycle', 'streetcar', 'track', 'specifically', 'address', 'perform', 'check', 'surface', 'discontinuity', 'cause', 'streetcar', 'track', 'track', 'smoothness', 'install', 'decide']
Original Request: Any records relating to the 2013 reconstruction of York St., and the repair/removal of streetcar tracks which relate to the opening of the 2014 bike lanes on Richmond and Adelaide streets. Any documents which discuss the condition of those railway etc.
Tokens prepared for LDA: ['record', 'relate', 'reconstruction', 'repair', 'removal', 'streetcar', 'track', 'relate', 'richmond', 'adelaide', 'street', 'document', 'discus', 'condition', 'railway']
Original Request: copy of noise complaint investigative report concerning {}; file No. 201813266NOI. Investigating Officer Faisal Sandhu. Record search from Mar. 1, 2018 to Jul. 1, 2018.
Tokens prepared for LDA: ['noise', 'complaint', 'investigative', 'report', 'concern', '201813266noi', 'investigating', 'officer', 'faisal', 'sandhu', 'record', 'search', 'march']
Original Request: Copies of any documents regarding water meter replacement at {} as well as, any fines levied against the owner. Record search from Jul. 5, 2016 to present.
Tokens prepared for LDA: ['copy', 'document', 'regard', 'water', 'meter', 'replacement', 'owner', 'record', 'search', 'present']
Original Request: All correspondence and e-mails regarding slip and fall incident involving {} at {} on May 2, 2017 between City staff and independent contractors. Record of any resulting and/or further repairs/ investigative work done etc.
Tokens prepared for LDA: ['correspondence', 'regard', 'incident', 'involve', 'staff', 'independent', 'contractor', 'record', 'result', 'and/or', 'repairs/', 'investigative']
Original Request: Copies of Toronto Fire Services Fire Prevention records for {} which includes {} Records should include: notices of violation, inspection orders, inspectors notes, correspondence, etc.
Tokens prepared for LDA: ['copy', 'toronto', 'services', 'prevention', 'record', 'include', 'record', 'include', 'notice', 'violation', 'inspection', 'order', 'inspector', 'correspondence']
Original Request: Any and all written correspondence between the Mayor's office and Ian Black, General Manager of Uber Canada; any and all meeting minutes/notes from meetings between the Mayor or members of the Mayor's office and Ian Black.
Tokens prepared for LDA: ['write', 'correspondence', 'mayor', 'office', 'black', 'general', 'manager', 'canada', 'minute', 'meeting', 'mayor', 'member', 'mayor', 'office', 'black']
Original Request: All permits, work orders and inspection reports pertaining to {} including, documentation of the date of occupancy by the owner(s).
Tokens prepared for LDA: ['permit', 'order', 'inspection', 'report', 'pertain', 'include', 'documentation', 'occupancy', 'owner(s']
Original Request: Copies of ML&S and building permits, inspection reports and work orders, issued to {} from 2005 to present; except ML&S and zoning reports disclosed under FOI# 2018-00408 in relation to files # 2018-114-318 PRS (exterior) etc.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'report', 'order', 'issue', 'present', 'report', 'disclose', '00408', 'relation', 'exterior']
Original Request: A copy of building permits file for {} including complaints file, building inspection file, engineers reports. Record search from June 2018 to present.
Tokens prepared for LDA: ['build', 'permit', 'include', 'complaint', 'build', 'inspection', 'engineer', 'report', 'record', 'search', 'present']
Original Request: 1. How many complaints have been received about the word burning smoke emanating from Hogtown Smoke on 55 Colborne St. 2. How many restaurants in City have "wood burning" ie sold fuel as a source of cooking license?
Tokens prepared for LDA: ['complaint', 'receive', 'smoke', 'emanate', 'hogtown', 'smoke', 'colborne', 'restaurant', 'source', 'license']
Original Request: All records of grant approval / denial and disbursement amounts / transfer records for pop up adventure play grounds/outdoor play to (1) Earth Day Canada; (2) GreenHere a) playbynature. This would either be funding from the community grant stream
Tokens prepared for LDA: ['record', 'grant', 'approval', 'denial', 'disbursement', 'transfer', 'record', 'adventure', 'ground', 'outdoor', 'earth', 'canada', 'greenhere', 'playbynature', 'community', 'grant', 'stream']
Original Request: A statement that was given to Constable Chad Roberts # 2327 from 4 Division ex:7400 regarding an assault that occured at {} Woodbridge.
Tokens prepared for LDA: ['statement', 'constable', 'roberts', 'division', 'ex:7400', 'regard', 'assault', 'occur', 'woodbridge']
Original Request: A copy of report prepared by Toronto Police Services (shared with the Mayor's Office) on issues and concerns related to public security at and surrounding the proposed new Court House on Armory St.
Tokens prepared for LDA: ['report', 'prepare', 'toronto', 'police', 'services', 'share', 'mayor', 'office', 'issue', 'concern', 'relate', 'public', 'security', 'surround', 'propose', 'court', 'house', 'armory']
Original Request: Copies of investigative files relating to {} and/or his property at {}; under file # A18-010460; 17 209634 ZON 00 IR and in relation to visit by forestry staff Mathew Wright on Aug. 17, 2017.
Tokens prepared for LDA: ['copy', 'investigative', 'relate', 'and/or', 'property', '010460', '209634', 'relation', 'visit', 'forestry', 'staff', 'mathew', 'wright', 'august']
Original Request: A copy of animal services file# A18-018752 regarding the attack of dog named FIDO, as well as, the addresses of the owners of the other dog identified in the attack. Record search from Apr. 29, 2018 to Jul. 6, 2018.
Tokens prepared for LDA: ['animal', 'service', '018752', 'regard', 'attack', 'address', 'owner', 'identify', 'attack', 'record', 'search', 'april']
Original Request: Record of the diameter and composition of City water lines supplying {} including any documentation or drawings outlining any shared portions of water and sewer line with neighbouring properties.
Tokens prepared for LDA: ['record', 'diameter', 'composition', 'water', 'supply', 'include', 'documentation', 'drawing', 'outline', 'share', 'portion', 'water', 'sewer', 'neighbour', 'property']
Original Request: Record of the diameter and composition of City water lines supplying {} from 1920 to present.
Tokens prepared for LDA: ['record', 'diameter', 'composition', 'water', 'supply', 'present']
Original Request: A copy of July 2017 traffic study completed in relation to the installation of stop signage at the intersection on Joicey Blvd., and Harley Blvd.
Tokens prepared for LDA: ['traffic', 'study', 'complete', 'relation', 'installation', 'signage', 'intersection', 'joicey', 'harley']
Original Request: Copies of fire inspection and violations records, notices or orders, demolition permits and construction records for {} including e-mail records from the landlord concerning these issues.
Tokens prepared for LDA: ['copy', 'inspection', 'violation', 'record', 'notice', 'order', 'demolition', 'permit', 'construction', 'record', 'include', 'record', 'landlord', 'concern', 'issue']
Original Request: Any record of dwelling at {} being used as a triplex in the past. Record search from Jan. 1, 1980 to Jan. 1, 2017.
Tokens prepared for LDA: ['record', 'dwell', 'triplex', 'record', 'search', 'january', 'january']
Original Request: A copy of investigative file concerning ML&S notice of violation, issued for the parking of a commercial vehicle on a residential drive way at {}; as well as, all complaints records.
Tokens prepared for LDA: ['investigative', 'concern', 'notice', 'violation', 'issue', 'commercial', 'vehicle', 'residential', 'drive', 'complaint', 'record']
Original Request: A copy of 311 telephone call transcript relating to call made of {} on Jul. 0, 2018, sometime after 1:30 p.m.; concerning notification practices by the City to homeowners about damages to their properties post City jobs.
Tokens prepared for LDA: ['telephone', 'transcript', 'relate', 'concern', 'notification', 'practice', 'homeowner', 'damage', 'property']
Original Request: Copies of building, plumbing and HVAC permits for {} including minor variance and other COA records prior to 2008.
Tokens prepared for LDA: ['copy', 'build', 'plumb', 'permit', 'include', 'minor', 'variance', 'record', 'prior']
Original Request: Copies of Toronto Police records concerning incidents of domestic abuse between {} and former spouse {} from 2010 to 2015.
Tokens prepared for LDA: ['copy', 'toronto', 'police', 'record', 'concern', 'incident', 'domestic', 'abuse', 'spouse']
Original Request: Record of Property Standards complaints filed with the City, and investigations carried out with regards to residential high-rise buildings at []. Including, but not limited to, all complaints filed by tenant with regards etc.
Tokens prepared for LDA: ['record', 'property', 'standard', 'complaint', 'investigation', 'carry', 'regard', 'residential', 'building', 'include', 'limit', 'complaint', 'tenant', 'regard']
Original Request: Record of Property Standards complaints filed with the City, and investigations carried out with regards to residential high-rise buildings at [] Including, but not limited to, all complaints filed by tenant with regards etc.
Tokens prepared for LDA: ['record', 'property', 'standard', 'complaint', 'investigation', 'carry', 'regard', 'residential', 'building', 'include', 'limit', 'complaint', 'tenant', 'regard']
Original Request: All records (including letters) concerning {} as they relate to garage permit. Record search from 2014 to present.
Tokens prepared for LDA: ['record', 'include', 'letter', 'concern', 'relate', 'garage', 'permit', 'record', 'search', 'present']
Original Request: Record of the case number associated with water shut-off at {}.
Tokens prepared for LDA: ['record', 'associate', 'water']
Original Request: All records of applications, permits and inspections regarding construction of a house at {}. Record search from Jan. 1, 2009 to Jan. 10, 2017.
Tokens prepared for LDA: ['record', 'application', 'permit', 'inspection', 'regard', 'construction', 'house', 'record', 'search', 'january', 'january']
Original Request: A copy of Animal Control Report A18-027652.
Tokens prepared for LDA: ['animal', 'control', 'report', '027652']
Original Request: Records regarding a search warrant and breaking down of door in October 2017 by Police at {}; as well as, additional criminal behaviour on the part of the associated tenant.
Tokens prepared for LDA: ['record', 'regard', 'search', 'warrant', 'break', 'october', 'police', 'additional', 'criminal', 'behaviour', 'associate', 'tenant']
Original Request: Copies of all orders to comply and all associated reports in relation to {} under permits 16 212802 BLD 00 and 16 212802 BLD 01. Also, all notes, inspection reports, engineer's reports dealing with excavation, shoring, foundations etc.
Tokens prepared for LDA: ['copy', 'order', 'comply', 'associate', 'report', 'relation', 'permit', '212802', '212802', 'inspection', 'report', 'engineer', 'report', 'excavation', 'shore', 'foundation']
Original Request: Copies of all permit applications, inspection, engineering, zoning, CCMC, and BMEC reports for {}.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'inspection', 'engineer', 'report']
Original Request: All e-mails or notes sent or received by Mike Krolikowski (Sign Bylaw Unit) in relation to {}. Record search from Jan. 1, 2011 to present.
Tokens prepared for LDA: ['receive', 'krolikowski', 'bylaw', 'relation', 'record', 'search', 'january', 'present']
Original Request: All e-mails or notes sent or received by Robert Bader (Sign Bylaw Unit) in relation to the address {}. Record search from Jan. 1, 1999 to Jan. 1, 2019.
Tokens prepared for LDA: ['receive', 'robert', 'bad', 'bylaw', 'relation', 'address', 'record', 'search', 'january', 'january']
Original Request: Copies of application permit documents for the hydro pole replacement work done on Davenport Road between Christie Street and Bathurst Street. This includes all permit application, revisions and updates. A copy of the application permit for the hydro po
Tokens prepared for LDA: ['copy', 'application', 'permit', 'document', 'hydro', 'replacement', 'davenport', 'christie', 'street', 'bathurst', 'street', 'include', 'permit', 'application', 'revision', 'update', 'application', 'permit', 'hydro']
Original Request: Copies of application permit documents for the hydro pole replacement work done on Davenport Road between Christie Street and Bathurst Street. This includes all permit application, revisions and updates. A copy of the application permit for the hydro po
Tokens prepared for LDA: ['copy', 'application', 'permit', 'document', 'hydro', 'replacement', 'davenport', 'christie', 'street', 'bathurst', 'street', 'include', 'permit', 'application', 'revision', 'update', 'application', 'permit', 'hydro']
Original Request: Copies of all building permits, occupancy permits, fire plans for {} including, development agreements, elevations, servicing plans and Committee of Adjustment records (prior to 2008).
Tokens prepared for LDA: ['copy', 'build', 'permit', 'occupancy', 'permit', 'include', 'development', 'agreement', 'elevation', 'service', 'committee', 'adjustment', 'record', 'prior']
Original Request: All documents, briefing notes, memorandums and correspondence (electronic and hard copy) related to 200 Queens Quay West (commercial property) lighting and associated bylaws. This includes bylaw infractions, bylaw complaints against the property
Tokens prepared for LDA: ['document', 'brief', 'memorandum', 'correspondence', 'electronic', 'relate', 'queens', 'commercial', 'property', 'light', 'associate', 'bylaw', 'include', 'bylaw', 'infraction', 'bylaw', 'complaint', 'property']
Original Request: A copy of the building plans and elevation drawings for {}.
Tokens prepared for LDA: ['build', 'elevation', 'drawing']
Original Request: A copy of the building plans and elevation drawings for {}.
Tokens prepared for LDA: ['build', 'elevation', 'drawing']
Original Request: A copy of the building plans and elevation drawings for {}.
Tokens prepared for LDA: ['build', 'elevation', 'drawing']
Original Request: A copy of the building plans and elevation drawings for {}.
Tokens prepared for LDA: ['build', 'elevation', 'drawing']
Original Request: A copy of the building plans and elevation drawings for {}.
Tokens prepared for LDA: ['build', 'elevation', 'drawing']
Original Request: A complete copy of ML&S investigative file concerning {} under file # 17-212509 & 17-226002 PRS 00 IV. Record search from Jul. 2017 to Jul. 2018.
Tokens prepared for LDA: ['complete', 'investigative', 'concern', '212509', '226002', 'record', 'search']
Original Request: A complete copy of forestry file concerning investigation into blue spruce tree on the property of {} including e-mail records from assigned staff as they pertain to this investigation. Record search from Jul. 3, 2018 to present.
Tokens prepared for LDA: ['complete', 'forestry', 'concern', 'investigation', 'spruce', 'property', 'include', 'record', 'assign', 'staff', 'pertain', 'investigation', 'record', 'search', 'present']
Original Request: Copies of communication (including e-mail of assigned staff) and report records from Urban Forestry concerning property located at {}. Record search from Aug. 1, 2015 to Jun. 1, 2018.
Tokens prepared for LDA: ['copy', 'communication', 'include', 'assign', 'staff', 'report', 'record', 'urban', 'forestry', 'concern', 'property', 'locate', 'record', 'search', 'august']
Original Request: Copies of building permits, engineer reports and e-mail records from assigned inspector(s) for {}. As well as, any other communication, shoring documents, and 311 call records from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'engineer', 'report', 'record', 'assign', 'inspector(s', 'communication', 'shore', 'document', 'record', 'january', 'present']
Original Request: Copies of all permits issued to {} with the assessment result of each (i.e. passed or failed), along with a list of those currently open. Record search from Jan. 1, 2018 to present.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'assessment', 'result', 'currently', 'record', 'search', 'january', 'present']
Original Request: Record of any service request made in relation to 90 year old, 70ft high maple tree bordering front of {}. Record search from Jan. 1, 2012 to Jul. 9, 2018.
Tokens prepared for LDA: ['record', 'service', 'request', 'relation', 'maple', 'border', 'record', 'search', 'january']
Original Request: All briefing notes or memos prepared for Mayor John Tory's meeting with the Premier of Ontario on July 9, including all materials included in the binder Mr. Tory brought with him to that meeting. Also, any minutes, reports or e-mails produced after etc.
Tokens prepared for LDA: ['brief', 'prepare', 'mayor', 'premier', 'ontario', 'include', 'material', 'include', 'binder', 'bring', 'minute', 'report', 'produce']
Original Request: Copies of building permits, inspection/CCMC, and BMEC reports for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'report']
Original Request: Copies of building permits, inspection/CCMC, and BMEC reports for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'report']
Original Request: Record of any existing orders, investigations or outstanding amounts regarding {} with respect to property standard issues. Any StreeteART (StART) applications received in relation to the aforementioned property.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'outstanding', 'regard', 'respect', 'property', 'standard', 'issue', 'streeteart', 'start', 'application', 'receive', 'relation', 'aforementioned', 'property']
Original Request: Copies of all site visit inspections, communication and/or corresponsence relating to the grading of laneway at the side of {} and the resulting rainwater entering the property through the foundation.
Tokens prepared for LDA: ['copy', 'visit', 'inspection', 'communication', 'and/or', 'corresponsence', 'relate', 'grade', 'laneway', 'result', 'rainwater', 'enter', 'property', 'foundation']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreeteART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streeteart', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreeteART (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streeteart', 'start', 'project']
Original Request: Copies of inspection notes and work orders for {} under permit # 11 118 025 BLD.
Tokens prepared for LDA: ['copy', 'inspection', 'order', 'permit']
Original Request: All reports from Toronto Water for {} and all or any other information under 311 reference # 5369310, 5387573 and 5389413, including 311 call record. Please also include all other reports from Toronto Water from April 2018 to present.
Tokens prepared for LDA: ['report', 'toronto', 'water', 'information', 'reference', '5369310', '5387573', '5389413', 'include', 'record', 'include', 'report', 'toronto', 'water', 'april', 'present']
Original Request: A copy of dog bite report from Toronto Public Health under reference # 112805. The incident occurred at {} North York. Richard Rampersad was the inspector. Date of incident: June 19, 2018.
Tokens prepared for LDA: ['report', 'toronto', 'public', 'health', 'reference', '112805', 'incident', 'occur', 'north', 'richard', 'rampersad', 'inspector', 'incident']
Original Request: All past/historical Committee of Adjustment decisions, proceedings or any development or planning applications ; all building permit records for {}. Record search from Jan. 1, 1900 to December 31, 2007.
Tokens prepared for LDA: ['historical', 'committee', 'adjustment', 'decision', 'proceeding', 'development', 'application', 'build', 'permit', 'record', 'record', 'search', 'january', 'december']
Original Request: All documents prepared for Council, Councillors, Mayor's Office, or Senior staff in relation to participatory budgeting and/or the Participatory Budgeting Pilot, including draft reports to Council and evaluations. Records search from Jan. 1, 2018 to July
Tokens prepared for LDA: ['document', 'prepare', 'council', 'councillor', 'mayor', 'office', 'senior', 'staff', 'relation', 'participatory', 'budget', 'and/or', 'participatory', 'budget', 'pilot', 'include', 'draft', 'report', 'council', 'evaluation', 'record', 'search', 'january']
Original Request: With respect to 565 Duplex Ave. and 20 Castlefield Ave., the City Manager and City Solicitor's advice and instructions to City Council on the sale (to wit: confidential attachment 1 to the report of June 19, 2018) from Interim City Manager
Tokens prepared for LDA: ['respect', 'duplex', 'castlefield', 'manager', 'solicitor', 'advice', 'instruction', 'council', 'confidential', 'attachment', 'report', 'interim', 'manager']
Original Request: A copy of the lease (including any extensions or amendments thereto and exhibits or supporting documents) between the City of Toronto and the Toronto Humber Yacht Club, located at King's Mill Park, 100 Humber Valleyy Rd., Toronto, ON M8Z 5M4.
Tokens prepared for LDA: ['lease', 'include', 'extension', 'amendment', 'thereto', 'exhibit', 'support', 'document', 'toronto', 'toronto', 'humber', 'yacht', 'locate', 'humber', 'valleyy', 'toronto']
Original Request: All building inspection records for {} under permit No. 17 108955 BLD 00 SR. Record search from Jan. 1, 2016 to Jul. 16, 2018.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'permit', '108955', 'record', 'search', 'january']
Original Request: A copy of animal services file No. 18-032222 in relation to dog bite incident which occurred at {} on Jul. 14, 2018.
Tokens prepared for LDA: ['animal', 'service', '032222', 'relation', 'incident', 'occur']
Original Request: A copy of hit and run camera footage from the intersection of Keele St. and Eglinton Ave. W., on Apr. 22, 2018 at 17:06 hrs. Reference GO TP 2018-720463, investigating officer is PC Terry Emerson, badge #8686.
Tokens prepared for LDA: ['camera', 'footage', 'intersection', 'keele', 'eglinton', 'april', '17:06', 'reference', '720463', 'investigate', 'officer', 'terry', 'emerson', 'badge']
Original Request: A copy of ML&S investigative records concerning responsibilities as per existing bylaw, on the maintenance of shrubs abutting {.} and {}. Note: Subject shrubs were planted by {r.} and are now impacting neighbouring etc.
Tokens prepared for LDA: ['investigative', 'record', 'concern', 'responsibility', 'exist', 'bylaw', 'maintenance', 'shrub', 'subject', 'shrub', 'plant', 'impact', 'neighbour']
Original Request: Record of road repair activity of pot holes on the westbound collector of the Gardiner Express, west of Kipling Ave (100m west of Kipling bridge) in lane 1 just before the collector merges with the express lanes. Record search from Jan. 13-17, 2018.
Tokens prepared for LDA: ['record', 'repair', 'activity', 'westbound', 'collector', 'gardiner', 'express', 'kipling', 'kipling', 'bridge', 'collector', 'merge', 'express', 'record', 'search', 'january']
Original Request: Copies of building permits and associated inspection notes/deficiencies outstanding for {} under permit No. 15 124099.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'associate', 'inspection', 'deficiency', 'outstanding', 'permit', '124099']
Original Request: Copies of all building permits issued to {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue']
Original Request: Documentation of any incidents of sewer back up, or calls (i.e. call transcripts) to report such, at {}. Record search from 2000 to present.
Tokens prepared for LDA: ['documentation', 'incident', 'sewer', 'transcript', 'report', 'record', 'search', 'present']
Original Request: All building records for {.} from 2012 to present.
Tokens prepared for LDA: ['build', 'record', 'present']
Original Request: Copies of water sewer service cards for {.}.
Tokens prepared for LDA: ['copy', 'water', 'sewer', 'service']
Original Request: All communications (including e-mail) to and from Transportation Services, Mayor's Office and the offices of Councillor Minnan-Wong and Councillor De Baeremaeker regarding, the need to study and/or expedite the use of battery-electric buses.
Tokens prepared for LDA: ['communication', 'include', 'transportation', 'services', 'mayor', 'office', 'office', 'councillor', 'minnan', 'councillor', 'baeremaeker', 'regard', 'study', 'and/or', 'expedite', 'battery', 'electric']
Original Request: Copies of all building permit and zoning documents for {.} from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'january', 'present']
Original Request: Copies of all building permit and zoning documents for {.} from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'january', 'present']
Original Request: All building inspections including any reports related to permit # 00-136283 00 01 for {.}.
Tokens prepared for LDA: ['build', 'inspection', 'include', 'report', 'relate', 'permit', '136283']
Original Request: A copy of plumbing inspection report for {.} in 2018. 311 Reference number is 5400839.
Tokens prepared for LDA: ['plumb', 'inspection', 'report', 'reference', '5400839']
Original Request: For {}, any and all documents including building permit applications, permits approved and issued, drawings, letters, orders, violations, handwritten notes, inspection reports relating to the balcony guard replacement/repair project.
Tokens prepared for LDA: ['document', 'include', 'build', 'permit', 'application', 'permit', 'approve', 'issue', 'drawing', 'letter', 'order', 'violation', 'handwritten', 'inspection', 'report', 'relate', 'balcony', 'guard', 'replacement', 'repair', 'project']
Original Request: All site inspection, engineer correspondence and final site reports for {.}, permit # 14-254455 BLD 00. Please include all documents, addendae and changes to original permit drawings and notes by A. Rousel, Pablo Pikelin, Brian Lee,
Tokens prepared for LDA: ['inspection', 'engineer', 'correspondence', 'final', 'report', 'permit', '254455', 'include', 'document', 'addendae', 'change', 'original', 'permit', 'drawing', 'rousel', 'pablo', 'pikelin', 'brian']
Original Request: A copy of Corporate Security contract with G4S Canada Ltd., specifically the hourly rate the City pays to G4S for each guard. Record search from Jan. 7, 2018 to present.
Tokens prepared for LDA: ['corporate', 'security', 'contract', 'canada', 'specifically', 'hourly', 'guard', 'record', 'search', 'january', 'present']
Original Request: All property standards, Public Health records, investigations pertaining to the entire buiilding at {.} from July 15, 2013 to July 19, 2018. Please include all 311 call transcripts as well.
Tokens prepared for LDA: ['property', 'standard', 'public', 'health', 'record', 'investigation', 'pertain', 'entire', 'buiilding', 'include', 'transcript']
Original Request: A copy of an e-mail that was sent by an unknown individual to the City of Toronto corporate and then circulated within Toronto Water. The e-mail contains a defamatory video showing picture, full name, phone number, car license number plate
Tokens prepared for LDA: ['unknown', 'individual', 'toronto', 'corporate', 'circulate', 'toronto', 'water', 'contain', 'defamatory', 'video', 'picture', 'phone', 'license', 'plate']
Original Request: Copies of any complaints to Toronto's Employment & Social Services Division about Hammer Heads, a pre-apprenticeship training program for youth, and/or its director James St. John. All City staff reports, issue notes, memos, e-mails or other written etc.
Tokens prepared for LDA: ['copy', 'complaint', 'toronto', 'employment', 'social', 'services', 'division', 'hammer', 'head', 'apprenticeship', 'train', 'program', 'youth', 'and/or', 'director', 'james', 'staff', 'report', 'issue', 'write']
Original Request: A copy of City lease between Artscape and the City of Toronto for 601 Christie St. aka 76 Wychwood Ave. Record search from Jan. 1, 2007.
Tokens prepared for LDA: ['lease', 'artscape', 'toronto', 'christie', 'wychwood', 'record', 'search', 'january']
Original Request: Records from Building and Fire Services on 200 Gateway Blvd, in particular any records of approvals and correspondence received from Toronto Building, Toronto Fire Services , and also Toronto Hydro; any site plans approval .
Tokens prepared for LDA: ['record', 'building', 'services', 'gateway', 'particular', 'record', 'approval', 'correspondence', 'receive', 'toronto', 'building', 'toronto', 'services', 'toronto', 'hydro', 'approval']
Original Request: Any communications received by Mary-Anne Bedard (Director of SSHA) and Paul Raftis (General Manager) from Councillor Grimes, Mayor's Office, Exhibition Place regarding a proposed respite shelter at 701 Fleet St. aka Gore Park. Record search from April 1,
Tokens prepared for LDA: ['communication', 'receive', 'bedard', 'director', 'raftis', 'general', 'manager', 'councillor', 'grime', 'mayor', 'office', 'exhibition', 'place', 'regard', 'propose', 'respite', 'shelter', 'fleet', 'record', 'search', 'april']
Original Request: Minor variance records under file no. A0959/15NY for {.}.
Tokens prepared for LDA: ['minor', 'variance', 'record', 'a0959/15ny']
Original Request: For the Sheraton Centre located at 123 Queen St. W., building and elevator inspection reports; fire inspection reports; and food safety inspection report for BnB Restaurant. Record search from Jan ,1, 2015 to July 13, 2018,
Tokens prepared for LDA: ['sheraton', 'centre', 'locate', 'queen', 'build', 'elevator', 'inspection', 'report', 'inspection', 'report', 'safety', 'inspection', 'report', 'restaurant', 'record', 'search']
Original Request: Correspondence between David Clark of Councillor Joe Cressy's office and ML&S regarding 200 Queens Quay West. Please include any e-mail records between David Clark and ML&S. Record search from July 1, 2018 to July 20, 2018.
Tokens prepared for LDA: ['correspondence', 'david', 'clark', 'councillor', 'cressy', 'office', 'regard', 'queens', 'include', 'record', 'david', 'clark', 'ml&s.', 'record', 'search']
Original Request: For {.}, all building inspections, specifically but not limited to documents such as letters or reports, film such as computer tape, microfilm or videotape, electronic documents such as e-mails
Tokens prepared for LDA: ['build', 'inspection', 'specifically', 'limit', 'document', 'letter', 'report', 'computer', 'microfilm', 'videotape', 'electronic', 'document']
Original Request: All 311 complaints / calls made about/concerning {.} and any persons residing on the noted property.
Tokens prepared for LDA: ['complaint', 'concern', 'person', 'reside', 'property']
Original Request: Any records in the possession of City of Toronto relating to a project by Cable Control Systems Inc., under contract to Rogers Communications Inc. on or around {} ongoing in No. 2017.
Tokens prepared for LDA: ['record', 'possession', 'toronto', 'relate', 'project', 'cable', 'control', 'system', 'contract', 'rogers', 'communications', 'ongoing']
Original Request: Any records in the possession of City of Toronto relating to a water main or sewer project by the City at or around {.} in Nov. 2017, including but not limited to: project descrptions, documents indicating project dates and nature of any wo
Tokens prepared for LDA: ['record', 'possession', 'toronto', 'relate', 'water', 'sewer', 'project', 'november', 'include', 'limit', 'project', 'descrptions', 'document', 'indicate', 'project', 'nature']
Original Request: Any and all internal communications to/from City staff regarding ShotSpotter technology, including but not limited to e-mails, briefing notes, presentations, reports, studies. Record search from July 1, 2018 to July 23, 2018.
Tokens prepared for LDA: ['internal', 'communication', 'staff', 'regard', 'shotspotter', 'technology', 'include', 'limit', 'brief', 'presentation', 'report', 'study', 'record', 'search']
Original Request: Copies of correspondence and inspection reports from M&LS and Toronto Public Health concerning {} from 2006 to present. Note: Orders and City correspondence were issued to the Building Co-operative which is located at etc.
Tokens prepared for LDA: ['copy', 'correspondence', 'inspection', 'report', 'toronto', 'public', 'health', 'concern', 'present', 'order', 'correspondence', 'issue', 'building', 'operative', 'locate']
Original Request: Record identifying the individual who made complaints in relation to smoke/carbon monoxide detectors and number of units at {.}. As well as all investigative and relating documents. Record search from Jul. 16 - 31, 2018.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complaint', 'relation', 'smoke', 'carbon', 'monoxide', 'detector', 'investigative', 'relate', 'document', 'record', 'search']
Original Request: Complete building application along with attachments submitted for {.} under permits 99-106271 and 410513.
Tokens prepared for LDA: ['complete', 'build', 'application', 'attachment', 'submit', 'permit', '106271', '410513']
Original Request: Record of proof collected by Parking Enforcement which supports the issuance of a violation notice for parking in a fire route, as well as the exact location of the car when it was towed on Jul. 21, 2018.
Tokens prepared for LDA: ['record', 'proof', 'collect', 'parking', 'enforcement', 'support', 'issuance', 'violation', 'notice', 'route', 'exact', 'location']
Original Request: Copies of site inspection outcome (i.e. passed or failed) and notes for {.} concerning: footings, foundation walls, waterproofing, basement drains, backwater valve and basement drains. Inspection conducted on November 3, 2017 by Major Singh
Tokens prepared for LDA: ['copy', 'inspection', 'outcome', 'concern', 'footing', 'foundation', 'waterproof', 'basement', 'drain', 'backwater', 'valve', 'basement', 'drain', 'inspection', 'conduct', 'november', 'major', 'singh']
Original Request: Copies of any investigative notes and reports concerning any complaints made by {} with respect to The Victorian Monkey - 2386 Kingston Rd concerning noise, smoking and parking. Record search from Oct. 2016 to present.
Tokens prepared for LDA: ['copy', 'investigative', 'report', 'concern', 'complaint', 'respect', 'victorian', 'monkey', 'kingston', 'concern', 'noise', 'smoke', 'record', 'search', 'october', 'present']
Original Request: Copies of all sign and building permits for {.} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'possible', 'present']
Original Request: Copies of all sign and building permits for {.} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'possible', 'present']
Original Request: Copies of all sign and building permits for {.} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'possible', 'present']
Original Request: Copies of urban forestry records regarding any protected, designated (OHA or ESA) boundary trees (City or privately owned) on property located at {}. Any maintenance, complaint, investigative andpermit related records concerning etc.
Tokens prepared for LDA: ['copy', 'urban', 'forestry', 'record', 'regard', 'protect', 'designate', 'boundary', 'privately', 'property', 'locate', 'maintenance', 'complaint', 'investigative', 'andpermit', 'relate', 'record', 'concern']
Original Request: Copies of building inspection notes and photos for {} following visit by inspector Michael Ly. Record search from Mar. 2018 to present.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'photo', 'follow', 'visit', 'inspector', 'michael', 'record', 'search', 'march', 'present']
Original Request: A copy of Municipal Road Damage Deposit (MRDD) permit (No.70821801) for {.} along with submitted site plan. Record search from 2016 to present.
Tokens prepared for LDA: ['municipal', 'damage', 'deposit', 'permit', 'no.70821801', 'submit', 'record', 'search', 'present']
Original Request: Copies of all inspection records relating to {.} from Toronto Fire, ML&S and Toronto Building including, contact correspondence to the aforementioned address and its' residents. Record search from Feb. 28, 2018 to May 31, 2018.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'relate', 'toronto', 'toronto', 'building', 'include', 'contact', 'correspondence', 'aforementioned', 'address', 'resident', 'record', 'search', 'february']
Original Request: All correspondence, inspection notes, proof of orders complied from Animal Services, Public Health and Fire inspections for {.} from April 1, 2018 to July 26, 2018. Please include e-mails.
Tokens prepared for LDA: ['correspondence', 'inspection', 'proof', 'order', 'comply', 'animal', 'services', 'public', 'health', 'inspection', 'april', 'include']
Original Request: A copy of fire inspection report and violation notice for {.} for July 2018
Tokens prepared for LDA: ['inspection', 'report', 'violation', 'notice']
Original Request: The total number of complaints made to Transportation Services concerning the StARToronto Program in the City's Public Realm Section of Transportation Services. Record search from Jan. 1, 2012 to Aug. 1, 2018.
Tokens prepared for LDA: ['total', 'complaint', 'transportation', 'services', 'concern', 'startoronto', 'program', 'public', 'realm', 'section', 'transportation', 'services', 'record', 'search', 'january', 'august']
Original Request: A copy of voliation notices from ML&S file # 18-194887 for {.}.
Tokens prepared for LDA: ['voliation', 'notice', '194887']
Original Request: A copy of violation notices from ML&S file # 18-194907 for {.}
Tokens prepared for LDA: ['violation', 'notice', '194907']
Original Request: A copy of building designs, survey, permit drawings, inspector's notes, correspondence from Building for {.}. Record search from Jan. 2018 to July 2018.
Tokens prepared for LDA: ['build', 'design', 'survey', 'permit', 'drawing', 'inspector', 'correspondence', 'building', 'record', 'search', 'january']
Original Request: All building permits on file, building inspections, work orders including outstandning orders; ML&S violations, work orders and outstanding work orders for {}. Record search is from all past years to present.
Tokens prepared for LDA: ['build', 'permit', 'build', 'inspection', 'order', 'include', 'outstandning', 'order', 'violation', 'order', 'outstanding', 'order', 'record', 'search', 'present']
Original Request: All building permits on file, building inspections, work orders including outstandning orders; ML&S violations, work orders and outstanding work orders for {}. Record search is from all past years to present.
Tokens prepared for LDA: ['build', 'permit', 'build', 'inspection', 'order', 'include', 'outstandning', 'order', 'violation', 'order', 'outstanding', 'order', 'record', 'search', 'present']
Original Request: All building permits on file, building inspections, work orders including outstandning orders; ML&S violations, work orders and outstanding work orders for {}. Record search is from all past years to present.
Tokens prepared for LDA: ['build', 'permit', 'build', 'inspection', 'order', 'include', 'outstandning', 'order', 'violation', 'order', 'outstanding', 'order', 'record', 'search', 'present']
Original Request: A copy of incident report written by assigned lifeguard following slip and fall incident while at the Etobicoke Olympium Recreation Center - 590 Rathburn Rd., on Oct. 27, 2017.
Tokens prepared for LDA: ['incident', 'report', 'write', 'assign', 'lifeguard', 'follow', 'incident', 'etobicoke', 'olympium', 'recreation', 'center', 'rathburn', 'october']
Original Request: Record of the identity of complainant responsible for dog related noise complaint A18-022998.
Tokens prepared for LDA: ['record', 'identity', 'complainant', 'responsible', 'relate', 'noise', 'complaint', '022998']
Original Request: Record of the identity of complainant responsible for complaint to Animal Services A18-034336 {}.
Tokens prepared for LDA: ['record', 'identity', 'complainant', 'responsible', 'complaint', 'animal', 'services', '034336']
Original Request: All communications, including e-mails, private e-mail used for work, and attachments, sent to or from Chris Eby, Vic Gupta, Don Peat, Siri Agrell, Luke Robertson, Edward Birnbaum and staff in the Premier's Office and Ministry of Municipal Affairs etc.
Tokens prepared for LDA: ['communication', 'include', 'private', 'attachment', 'chris', 'gupta', 'agrell', 'robertson', 'edward', 'birnbaum', 'staff', 'premier', 'office', 'ministry', 'municipal', 'affairs']
Original Request: A copy of open permits from Building for {.} under file # 04-179877 for interior alterations and 04-2026312 for building revisions.
Tokens prepared for LDA: ['permit', 'building', '179877', 'interior', 'alteration', '2026312', 'build', 'revision']
Original Request: A copy of engineers' report, architect's report from permit # 11-155628 for {}. Record search from 2010 to 2011.
Tokens prepared for LDA: ['engineer', 'report', 'architect', 'report', 'permit', '155628', 'record', 'search']
Original Request: A copy of complete health inspection reports for the Humber Hospital Kitchen and Satellites at 1235 Wilson Ave. Record search from July 27, 2016 to July 27, 2018.
Tokens prepared for LDA: ['complete', 'health', 'inspection', 'report', 'humber', 'hospital', 'kitchen', 'satellite', 'wilson', 'record', 'search']
Original Request: A copy of complete health inspection reports for the Humber Reactivation Care Centre at 2111 Finch Ave. W. Record search from July 27, 2016 to July 27, 2018.
Tokens prepared for LDA: ['complete', 'health', 'inspection', 'report', 'humber', 'reactivation', 'centre', 'finch', 'record', 'search']
Original Request: All police visits and descriptions of visits / outcome to {.}. Record search from Jan. 1, 2015 to Jan. 8, 2018.
Tokens prepared for LDA: ['police', 'visit', 'description', 'visit', 'outcome', 'record', 'search', 'january', 'january']
Original Request: A complete copy of animal services file relating to dog bite incident of {} on Jun. 29, 2017 at {}; home of dog owner.
Tokens prepared for LDA: ['complete', 'animal', 'service', 'relate', 'incident', 'owner']
Original Request: A copy of Public Health complaint and inspection/enforcement records concerning investigation at {.}, in July 2018.
Tokens prepared for LDA: ['public', 'health', 'complaint', 'inspection', 'enforcement', 'record', 'concern', 'investigation']
Original Request: A copy of Public Health complaint and inspection/enforcement records concerning investigation at {}, in July 2018.
Tokens prepared for LDA: ['public', 'health', 'complaint', 'inspection', 'enforcement', 'record', 'concern', 'investigation']
Original Request: Copies of the following records relating {.}: (1) Entire building permit file including but not limited to inspector notes, reports, updates, pictures, occupancy dates, engineering & architectural analysis/reports, sign-offs, extensions
Tokens prepared for LDA: ['copy', 'follow', 'record', 'relate', 'entire', 'build', 'permit', 'include', 'limit', 'inspector', 'report', 'update', 'picture', 'occupancy', 'engineer', 'architectural', 'analysis', 'report', 'extension']
Original Request: A copy of recorded surveillance footage taken at the intersection (entire) of Queen Street East & Jarvis Street on July 24, 2018, 10:00 AM to 11:30 AM. The subject surveillance camera is affixed to orange digital construction signage (fence protected) loc
Tokens prepared for LDA: ['record', 'surveillance', 'footage', 'intersection', 'entire', 'queen', 'street', 'jarvis', 'street', '10:00', '11:30', 'subject', 'surveillance', 'camera', 'affix', 'orange', 'digital', 'construction', 'signage', 'fence', 'protect']
Original Request: Any records of inspection done at {}.
Tokens prepared for LDA: ['record', 'inspection']
Original Request: In relation to the 5 project deliverables listed in Staff Report EX16.40, dated June 6, 2016 - Accepting project funding to expand the implementation of the HIGH FIVE quality assurance...The following is requested in electronic format, in relation etc.
Tokens prepared for LDA: ['relation', 'project', 'deliverable', 'staff', 'report', 'ex16.40', 'accept', 'project', 'expand', 'implementation', 'quality', 'assurance', 'follow', 'request', 'electronic', 'format', 'relation']
Original Request: A copy of the e-mail or letter sent from a police officer to either Adam Howell, Constituency Assistant in the Office of Councillor Denzil Minnan-Wong, or other staff in Councillor Minnan-Wong's office, or directly to Councillor Minnan-Wong, regarding etc
Tokens prepared for LDA: ['letter', 'police', 'officer', 'howell', 'constituency', 'assistant', 'office', 'councillor', 'denzil', 'minnan', 'staff', 'councillor', 'minnan', 'office', 'directly', 'councillor', 'minnan', 'regard']
Original Request: Record of all visitors logs, telephone logs, e-mail or other communications whether between Municipal Licensing & Standards staff, as well as Mark Sraga and external individuals in relation to the initial complaint about the balloon at {.}.
Tokens prepared for LDA: ['record', 'visitor', 'telephone', 'communication', 'municipal', 'license', 'standard', 'staff', 'sraga', 'external', 'individual', 'relation', 'initial', 'complaint', 'balloon']
Original Request: All documents related to the funding provided under the Toronto Renovates Program for the licensed rooming house at {.}, including any documents that mention rent controls or restrictions.
Tokens prepared for LDA: ['document', 'relate', 'provide', 'toronto', 'renovate', 'program', 'license', 'house', 'include', 'document', 'mention', 'control', 'restriction']
Original Request: Copies of all "Drain Plan" file documents relating to {}.
Tokens prepared for LDA: ['copy', 'drain', 'document', 'relate']
Original Request: Copies of all building permits issued to {.} from Mar. 1, 2015 to Jul. 1, 2018.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'march']
Original Request: A copy of inspection report concerning watermain leak at {.}, ref. # 5309423.
Tokens prepared for LDA: ['inspection', 'report', 'concern', 'watermain', '5309423']
Original Request: Copies of all permits issued to {.} prior to 1990, including related those for project 0455 (A-03, A-04, A-05).
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'prior', 'include', 'relate', 'project']
Original Request: All ML&S records for {.} including e-mails from ML&S staff Nicole Sweetapple, Gurmivder Purba, Joe Magalhaes that mention {.} from June 1, 2018 to present.
Tokens prepared for LDA: ['record', 'include', 'staff', 'nicole', 'sweetapple', 'gurmivder', 'purba', 'magalhaes', 'mention', 'present']
Original Request: A copy of demolition permit under folder # 17-189677, a copy of engineer's report for {}. Record search from Jan. 1, 2018 to Aug. 3, 2018.
Tokens prepared for LDA: ['demolition', 'permit', 'folder', '189677', 'engineer', 'report', 'record', 'search', 'january', 'august']
Original Request: For the building complex at 284, 288, 296 and 300 Mill Rd., any records of by-law infraction fines including, specifically tree-cutting by-law or ravine tree cutting infractions, fine amounts and all related details, restitution ordered
Tokens prepared for LDA: ['build', 'complex', 'record', 'infraction', 'include', 'specifically', 'ravine', 'infraction', 'relate', 'restitution', 'order']
Original Request: Record of complaints filed against {.}, with respect to parking complaints with a car parked on the lawn and animal issues. Record search from 2014 to present.
Tokens prepared for LDA: ['record', 'complaint', 'respect', 'complaint', 'animal', 'issue', 'record', 'search', 'present']
Original Request: A copy of building file for {.} from Jan. 10, 2014 to present.
Tokens prepared for LDA: ['build', 'january', 'present']
Original Request: 311 record under reference # 5103675 related to flooding at {} in January 2018. Also include records from Toronto Water.
Tokens prepared for LDA: ['record', 'reference', '5103675', 'relate', 'flood', 'january', 'include', 'record', 'toronto', 'water']
Original Request: All permits related to the event known as "Toronto Diversity Festival" held at David Pecault Sq., 215 King St. W. on July 21, 22, 2018. Event was run by Moksha Foundation Canada.
Tokens prepared for LDA: ['permit', 'relate', 'event', 'toronto', 'diversity', 'festival', 'david', 'pecault', 'event', 'moksha', 'foundation', 'canada']
Original Request: A copy of investigation file from ML&S relating to illegal dwelling issue at {}. Record search from June 2018 to present.
Tokens prepared for LDA: ['investigation', 'relate', 'illegal', 'dwell', 'issue', 'record', 'search', 'present']
Original Request: The most recent Toronto Fire Services inspection reports for {.} Toronto. Record search from Jan. 1, 2018 to ug. 3, 2018.
Tokens prepared for LDA: ['recent', 'toronto', 'services', 'inspection', 'report', 'toronto', 'record', 'search', 'january']
Original Request: Any reports or inspection records related to {}, specifically records/inspection of addition completed under building permit # B-77037 issued in Feb. 1996. Record search from Jan. 1, 1995 to Jan. 1, 1997.
Tokens prepared for LDA: ['report', 'inspection', 'record', 'relate', 'specifically', 'record', 'inspection', 'addition', 'complete', 'build', 'permit', 'b-77037', 'issue', 'february', 'record', 'search', 'january', 'january']
Original Request: A copy of entire animal service file relating to a dog bite incident that occurred on May 22, 2018 at {.}, North York.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'relate', 'incident', 'occur', 'north']
Original Request: Copies of any site visits, inspection reports, orders issued from Toronto Fire Services for {.}. The site visit was held on March 30, 2017. Record search from March 29, 2017 to March 31, 2017.
Tokens prepared for LDA: ['copy', 'visit', 'inspection', 'report', 'order', 'issue', 'toronto', 'services', 'visit', 'march', 'record', 'search', 'march', 'march']
Original Request: Any and all video footage of the ground area of Nathan Phillips Square below the elevated walkway (east of the Peace Garden), starting from the public washrooms, North past the 4 trees and staircase (rising up to the elevated walkway), continuing Northbou
Tokens prepared for LDA: ['video', 'footage', 'grind', 'nathan', 'phillips', 'square', 'elevate', 'walkway', 'peace', 'garden', 'start', 'public', 'washroom', 'north', 'staircase', 'elevate', 'walkway', 'continue', 'northbou']
Original Request: For the surveillance system installed at the Riverdale Park East Outdoor Pool at 550 Broadview Ave., how much does it cost to buy, install, run and maintain the system? Is the system city-wide? Is the system monitored by person or machine?
Tokens prepared for LDA: ['surveillance', 'install', 'riverdale', 'outdoor', 'broadview', 'install', 'maintain', 'monitor', 'person', 'machine']
Original Request: A copy of inspector's notes and further information re:building permit # 96-019034 BLD 00 HH (former related building permit 388463) for {.} for the installation of fixtures on 3rd floor (1 show, 1 W.C., 1 W.B,
Tokens prepared for LDA: ['inspector', 'information', 'build', 'permit', '019034', 'relate', 'build', 'permit', '388463', 'installation', 'fixture', 'floor']
Original Request: All ML&S and Toronto Public Health complaints, inspection reports for {}. Record search from Sept. 2017 to present.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'complaint', 'inspection', 'report', 'record', 'search', 'september', 'present']
Original Request: All ML&S and Toronto Public Health complaints, inspection reports for {}. Record search from Sept. 2017 to present.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'complaint', 'inspection', 'report', 'record', 'search', 'september', 'present']
Original Request: Zoning information for {.} to show if it's designated for "automative use" and any informationto show if the current occupant, a public garage is operating under license # B68-4304570, contradicts by-law10827
Tokens prepared for LDA: ['zoning', 'information', 'designate', 'automative', 'informationto', 'current', 'occupant', 'public', 'garage', 'operate', 'license', '4304570', 'contradict', 'law10827']
Original Request: A copy of zoning certificate for 403 Keele St. and any permits issued for a construction of 660 units on this property.
Tokens prepared for LDA: ['certificate', 'keele', 'permit', 'issue', 'construction', 'property']
Original Request: Copies of all materials related to Building Permit Application # 18-153808 BLD 00 SR and 17-249000-BLD 00 SR for {.}.
Tokens prepared for LDA: ['copy', 'material', 'relate', 'building', 'permit', 'application', '153808', '249000-bld']
Original Request: Records from Transportation confirming that one of the two traffic lights at the intersection of Steeles Ave. W. and Carperter Rd. was out of order on May 7, 2018. Please provide a record that the two traffic lights was out of order starting May 4,5, 201
Tokens prepared for LDA: ['record', 'transportation', 'confirm', 'traffic', 'light', 'intersection', 'steele', 'carperter', 'order', 'provide', 'record', 'traffic', 'light', 'order', 'start']
Original Request: All records pertaining to complaints filed against the landlord of {.} from April 1, 2010 to Aug. 1, 2018. Issues relating to heat, roofing.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'landlord', 'april', 'august', 'issue', 'relate']
Original Request: All records pertaining to complaints filed against the landlord of {.} from April 1, 2010 to Aug. 1, 2018. Issues relating to heat, roofing.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'landlord', 'april', 'august', 'issue', 'relate']
Original Request: A copy of police report under # 1454208.
Tokens prepared for LDA: ['police', 'report', '1454208']
Original Request: A copy of police report under 2018-01307112 from 55 Division.
Tokens prepared for LDA: ['police', 'report', '01307112', 'division']
Original Request: Complete copy of complaint records including resolutions relating to the concrete slap issues in the backyard of {.}.
Tokens prepared for LDA: ['complete', 'complaint', 'record', 'include', 'resolution', 'relate', 'concrete', 'issue', 'backyard']
Original Request: A copy of fire inspection report concerning {} as well as, general building and unit 1 inspection reports. Inspections were conducted in June - Bryan Lam and August 2018 - Ryan Jhagoo, respectively.
Tokens prepared for LDA: ['inspection', 'report', 'concern', 'general', 'build', 'inspection', 'report', 'inspection', 'conduct', 'bryan', 'august', 'jhagoo', 'respectively']
Original Request: Copies of all reports and investigative notes concerning the removal of several cats and dogs from the property of {.} while being leased to {} in 2016. Record search from Jan. 9, 2015 to Jan. 9, 2016.
Tokens prepared for LDA: ['copy', 'report', 'investigative', 'concern', 'removal', 'property', 'lease', 'record', 'search', 'january', 'january']
Original Request: All briefing materials provided to Mayor John Tory and his senior staff prior to his meeting with Premier Doug Ford on July 9, 2018. Also, any minutes, reports or briefing notes produced as a result of the meeting. Disclosed material requested etc.
Tokens prepared for LDA: ['brief', 'material', 'provide', 'mayor', 'senior', 'staff', 'prior', 'premier', 'minute', 'report', 'brief', 'produce', 'result', 'disclose', 'material', 'request']
Original Request: All briefing notes or reports provided to Mayor John Tory and his senior staff regarding the possible uploading of Toronto Transit Commission services, including subway operations, by the provincial government.
Tokens prepared for LDA: ['brief', 'report', 'provide', 'mayor', 'senior', 'staff', 'regard', 'possible', 'upload', 'toronto', 'transit', 'commission', 'service', 'include', 'subway', 'operation', 'provincial', 'government']
Original Request: The number of incident reports regarding sexual harassment and related issues that have been filed within the Toronto Paramedic Service, by year for each year from 2008 to the present; The number of ongoing sexual harassment cases within etc.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'sexual', 'harassment', 'relate', 'issue', 'toronto', 'paramedic', 'service', 'present', 'ongoing', 'sexual', 'harassment']
Original Request: A copy of dog bite incident report relating to incident involving { who was attacked at {.} on Apr. 17, 2018; by dog owned by {}.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'incident', 'involve', 'attack', 'april']
Original Request: Record of any complaints in relation to {.}, including the use of driveway for the fixing of cars.
Tokens prepared for LDA: ['record', 'complaint', 'relation', 'include', 'driveway']
Original Request: A copy of work order and related notes from Toronto Water, concerning work completed at {.}. Work order No. 1789514 & 1789832. Record search from Aug. 10, 2018 to present.
Tokens prepared for LDA: ['order', 'relate', 'toronto', 'water', 'concern', 'complete', 'order', '1789514', '1789832', 'record', 'search', 'august', 'present']
Original Request: Record of application and ownership details relating to the installation of pylon sign at {.}. Record search from 1979 to present.
Tokens prepared for LDA: ['record', 'application', 'ownership', 'relate', 'installation', 'pylon', 'record', 'search', 'present']
Original Request: 1) A listing of requests for RESCU traffic camera footage in 2016, 2017, and YTD 2018 - with breakdown of who (i.e. law enforcement agent/ agency) makes the request and/or declaration of an "incident" enabling the recording etc.
Tokens prepared for LDA: ['request', 'rescu', 'traffic', 'camera', 'footage', 'breakdown', 'enforcement', 'agent/', 'agency', 'request', 'and/or', 'declaration', 'incident', 'enable', 'record']
Original Request: 1) A listing of requests for RESCU traffic camera footage in 2016, 2017, and YTD 2018 - with breakdown of who (i.e. law enforcement agent/ agency) makes the request and/or declaration of an "incident" enabling the recording etc.
Tokens prepared for LDA: ['request', 'rescu', 'traffic', 'camera', 'footage', 'breakdown', 'enforcement', 'agent/', 'agency', 'request', 'and/or', 'declaration', 'incident', 'enable', 'record']
Original Request: Number of Toronto police officers who are currently on suspension with and without pay. Annual total number of officers on suspension for years 2010 through 2017 inclusive. Names of these officers, reasons for suspension, gross annual salary and benefit
Tokens prepared for LDA: ['number', 'toronto', 'police', 'officer', 'currently', 'suspension', 'annual', 'total', 'officer', 'suspension', 'inclusive', 'names', 'officer', 'reason', 'suspension', 'gross', 'annual', 'salary', 'benefit']
Original Request: Supporting documents for permit # 00 141753 CMB issued in 2001 for the addition behind {.} including, but not limited to design plans, and as-built drawings.
Tokens prepared for LDA: ['supporting', 'document', 'permit', '141753', 'issue', 'addition', 'include', 'limit', 'design', 'build', 'drawing']
Original Request: Supporting documents for permit # 00 141753 CMB issued in 2001 for the addition behind {.} including, but not limited to design plans, and as-built drawings.
Tokens prepared for LDA: ['supporting', 'document', 'permit', '141753', 'issue', 'addition', 'include', 'limit', 'design', 'build', 'drawing']
Original Request: Record of any complaints relating to renovations at {.} without a permit as well as those concerning garbage, long grass and weeds. Record search from Jan. 2014 to Jun. 2018.
Tokens prepared for LDA: ['record', 'complaint', 'relate', 'renovation', 'permit', 'concern', 'garbage', 'grass', 'record', 'search', 'january']
Original Request: A complete copy of ML&S file concerning property located at {.}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'concern', 'property', 'locate', 'record', 'search', 'possible', 'present']
Original Request: A copy of occupancy permit & inspection report for {}.
Tokens prepared for LDA: ['occupancy', 'permit', 'inspection', 'report']
Original Request: A copy of investigative reports following temperature testing at {}. Record search from Jan. 2, 2018 to Jan. 10, 2018.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'temperature', 'record', 'search', 'january', 'january']
Original Request: An electronic copy of the list of costs and job descriptions for each work order or job carried out at Dufferin Grove Park by Parks and Recreation TECH SERVICES between 2012 and 2017. The requested cost is to be depicted as found in document etc.
Tokens prepared for LDA: ['electronic', 'description', 'order', 'carry', 'dufferin', 'grove', 'parks', 'recreation', 'services', 'request', 'depict', 'document']
Original Request: Record of any noise complaints and/or notices of violation pertaining to {.} from 2017 to present.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'and/or', 'notice', 'violation', 'pertain', 'present']
Original Request: Copies of all pre-backup inspection and maintenance records relating to flushing, repairs, service etc., in respect to sewer mains with City identifiers SMH MH 4511617153 and SMH MH 4502617169 to SMH MH4493317187. As well as, the applicable current etc.
Tokens prepared for LDA: ['copy', 'backup', 'inspection', 'maintenance', 'record', 'relate', 'flush', 'repair', 'service', 'respect', 'sewer', 'identifier', '4511617153', '4502617169', 'mh4493317187', 'applicable', 'current']
Original Request: Record of any existing orders or investigations regarding {.}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreeteART (StART) etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streeteart', 'start']
Original Request: A complete copy of registration records for {} while enrolled in swimming programs at the Regent Park Aquatic Centre.
Tokens prepared for LDA: ['complete', 'registration', 'record', 'enroll', 'program', 'regent', 'aquatic', 'centre']
Original Request: Provide copies of all reports of basement flooding to residences on Brooke Avenue, from {.}; including, copies of all payments made to residential owners, specifying street address and amount.
Tokens prepared for LDA: ['provide', 'report', 'basement', 'flood', 'residence', 'brooke', 'avenue', 'include', 'payment', 'residential', 'owner', 'specify', 'street', 'address']
Original Request: Copies of all internal correspondence relating to the evaluation and cancellation of project {}. New Storm In-line Storage Ward 16 estimated to cost $2,093,400 as shown on page 15 of the 2016 Capital Budget Briefing Note Basement etc.
Tokens prepared for LDA: ['copy', 'internal', 'correspondence', 'relate', 'evaluation', 'cancellation', 'project', 'storm', 'storage', 'estimate', '2,093,400', 'capital', 'budget', 'briefing', 'basement']
Original Request: Copies of all building permits issued to commercial property at 715 Queen St. E., as well as any property standards related complaints. Record search from 1990 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'commercial', 'property', 'queen', 'property', 'standard', 'relate', 'complaint', 'record', 'search', 'present']
Original Request: Copies of fire code (2017-present) and ML&S (2012-2018) investigations concerning rooming house located at {.}.
Tokens prepared for LDA: ['copy', '2017-present', 'investigation', 'concern', 'house', 'locate']
Original Request: A copy of current or most recent Schedule of rates submitted by Preferred Shop Inc. - 1680 Midland Ave., to Municipal Licensing & Standards.
Tokens prepared for LDA: ['current', 'recent', 'schedule', 'submit', 'prefer', 'midland', 'municipal', 'license', 'standard']
Original Request: Copies of documentation in relation to requirements of {} to comply with CN Rail with set-back of 30 metres from rail bed and or provide crash mitigation barrier. Records search from 2004 to 2008.
Tokens prepared for LDA: ['copy', 'documentation', 'relation', 'requirement', 'comply', 'metre', 'provide', 'crash', 'mitigation', 'barrier', 'record', 'search']
Original Request: Copies of documentation in relation to requirements of {.} as they relate to loft conversion; to comply with CN Rail with set-back of 30 metres from rail bed and or provide crash mitigation barrier.
Tokens prepared for LDA: ['copy', 'documentation', 'relation', 'requirement', 'relate', 'conversion', 'comply', 'metre', 'provide', 'crash', 'mitigation', 'barrier']
Original Request: Copies of all "improvement" related permits issued to {.} including those pertaining to existing steel bridge that crosses Wilket Creek. Record search from 1930 to present.
Tokens prepared for LDA: ['copy', 'improvement', 'relate', 'permit', 'issue', 'include', 'pertain', 'exist', 'steel', 'bridge', 'crosse', 'wilket', 'creek', 'record', 'search', 'present']
Original Request: Copies of building and tree permit applications filed in 2018 with respect to {.}, including those from Councillor Robinson's office. Record of any complaints made in relation to the aforementioned property.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'respect', 'include', 'councillor', 'robinson', 'office', 'record', 'complaint', 'relation', 'aforementioned', 'property']
Original Request: All records from 311 file # 5436166 and Toronto Water records relating to the sewer backup incident at {} that occurred on Aug 8, 2018.
Tokens prepared for LDA: ['record', '5436166', 'toronto', 'water', 'record', 'relate', 'sewer', 'backup', 'incident', 'occur']
Original Request: An electronic list of all service contracts for work done in Dufferin Grove Park between 2012 and 2017. Please include the costs and job descriptions for each work order or job carried out, similar to the kind of detail as is found in Facilities & Real
Tokens prepared for LDA: ['electronic', 'service', 'contract', 'dufferin', 'grove', 'include', 'description', 'order', 'carry', 'similar', 'facility']
Original Request: A copy of Engineer's report for permit # 18-146081-BLD-00-SR for {.}.
Tokens prepared for LDA: ['engineer', 'report', 'permit', '146081-bld-00-sr']
Original Request: All communications, discussions, emails, fax between Mayor Tory and JVN Development Inc; between Councillor Mammoliti and JVN Development Inc.; betweenMayor Tory and Councillor Mammoliti re: redevelopment/revitalization of the Jane-Finch neighbourhood
Tokens prepared for LDA: ['communication', 'discussion', 'email', 'mayor', 'development', 'councillor', 'mammoliti', 'development', 'betweenmayor', 'councillor', 'mammoliti', 'redevelopment', 'revitalization', 'finch', 'neighbourhood']
Original Request: Details of purchase price of 915 and 956 Lakeshore Blvd. E. (Showline Studios) by the Toronto Portlands Company. TPL bought this land from Canada Post. Record search from Dec. 5, 2017 to March 1, 2018.
Tokens prepared for LDA: ['details', 'purchase', 'price', 'lakeshore', 'showline', 'studio', 'toronto', 'portland', 'company', 'canada', 'record', 'search', 'december', 'march']
Original Request: Details of sale price of 675 Commissioners St. to Canada Post by the Toronto Portlands Company. Record search from Dec. 5, 2017 to April 1, 2018.
Tokens prepared for LDA: ['details', 'price', 'commissioner', 'canada', 'toronto', 'portland', 'company', 'record', 'search', 'december', 'april']
Original Request: Copies of contravention inspection report, 'stop work' and 'protection' orders issued in relation to birch and spruce trees at and/or bordering {.}.
Tokens prepared for LDA: ['copy', 'contravention', 'inspection', 'report', 'protection', 'order', 'issue', 'relation', 'birch', 'spruce', 'and/or', 'border']
Original Request: All building permit applications and permits issued related to any additions e.g. balconies, solarium, for {.}; all ML&S complaints, inspections, violations and orders issued. Record search from 1970 to present.
Tokens prepared for LDA: ['build', 'permit', 'application', 'permit', 'issue', 'relate', 'addition', 'balcony', 'solarium', 'complaint', 'inspection', 'violation', 'order', 'issue', 'record', 'search', 'present']
Original Request: Records of violations, visits by ML&S Officer for {.} from July 2018 to present.
Tokens prepared for LDA: ['record', 'violation', 'visit', 'officer', 'present']
Original Request: Records, including but not limited to Notices of Violation, of any and all inspections done by Fire Services at or regarding {.} between June 15, 2018 and July 31, 2018.,
Tokens prepared for LDA: ['record', 'include', 'limit', 'notice', 'violation', 'inspection', 'services', 'regard']
Original Request: A copy of market study submitted in 2007 as part of a proposal for 555 Rexdale Blvd., City File Nos. 06 152217 WET 02 OZ, 06 167659 WET 02 OZ and 07 116449 WET 02 SB.
Tokens prepared for LDA: ['market', 'study', 'submit', 'proposal', 'rexdale', '152217', '167659', '116449']
Original Request: Any and all documents relating to the complaint filed against "Day 'N Night Towing" and tow truck operator of Exotic Roadside Assistance (B8834).
Tokens prepared for LDA: ['document', 'relate', 'complaint', 'night', 'tow', 'truck', 'operator', 'exotic', 'roadside', 'assistance', 'b8834']
Original Request: All records from the Committee of Adjustment decision file # B30/86 from 1986 for {}, Etobicoke.
Tokens prepared for LDA: ['record', 'committee', 'adjustment', 'decision', 'b30/86', 'etobicoke']
Original Request: Other bidders' pricing information for an informal RFQ put out by Transportation Services for Speed and Volume Automatic Traffic Recorder (ATR) Data Collection. Bid was closed on Aug. 10, 2018.
Tokens prepared for LDA: ['bidder', 'price', 'information', 'informal', 'transportation', 'services', 'speed', 'volume', 'automatic', 'traffic', 'recorder', 'collection', 'close', 'august']
Original Request: Any fire inspection reports, municipal licensing and standards reports, public health reports for {.} Scarborough from March 1, 2016 to Aug. 21, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'municipal', 'license', 'standard', 'report', 'public', 'health', 'report', 'scarborough', 'march', 'august']
Original Request: Copies of all records relating to the health and possible removal of tree located in front yard area of {.}. Record search from Jan. 1, 2015 to May 1, 2018.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'health', 'possible', 'removal', 'locate', 'record', 'search', 'january']
Original Request: Copies of building applications and permits issued for the removal and/or erection of a free standing garage at {.} Record search from 2009 to 2015.
Tokens prepared for LDA: ['copy', 'build', 'application', 'permit', 'issue', 'removal', 'and/or', 'erection', 'stand', 'garage', 'record', 'search']
Original Request: Record of all successful City bids for D.I Bros. Ltd. Or D.I. Bros Ltd. (2014) Record search from Jan. 1, 2012 to present.
Tokens prepared for LDA: ['record', 'successful', 'bros.', 'record', 'search', 'january', 'present']
Original Request: Record of all successful City bids for D.I Bros. Ltd. Or D.I. Bros Ltd. (2014) Record search from Jan. 1, 2012 to present.
Tokens prepared for LDA: ['record', 'successful', 'bros.', 'record', 'search', 'january', 'present']
Original Request: A copy of video surveillance footage from St. Lawrence Market cameras, positioned on either the north east or south east corners of the market. Footage should show motor vehicle/pedestrian accident which took place on Feb. 9, 2018 at approximately etc.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'lawrence', 'market', 'camera', 'position', 'north', 'south', 'corner', 'market', 'footage', 'motor', 'vehicle', 'pedestrian', 'accident', 'place', 'february', 'approximately']
Original Request: Copies of documents relating to Toronto Water response on Aug. 18, 2018 to flooding at {.} following Aug. 7, 2018 torrential rains.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'toronto', 'water', 'response', 'august', 'flood', 'follow', 'august', 'torrential']
Original Request: Copies of documents relating to Toronto Water response on Aug. 18, 2018 to flooding at {.} following Aug. 7, 2018 torrential rains.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'toronto', 'water', 'response', 'august', 'flood', 'follow', 'august', 'torrential']
Original Request: Record of any fire code activity, infractions, rulings and orders for {} (entire building). Record search from Jan. 1, 2016 to Aug. 20, 2018.
Tokens prepared for LDA: ['record', 'activity', 'infraction', 'ruling', 'order', 'entire', 'build', 'record', 'search', 'january', 'august']
Original Request: Information related to water main and road repair work conducted near the south-west corner of Dufferin St. and College St. West, Toronto (outside approximately {}). Specifically, work initially completed etc.
Tokens prepared for LDA: ['information', 'relate', 'water', 'repair', 'conduct', 'south', 'corner', 'dufferin', 'college', 'toronto', 'outside', 'approximately', 'specifically', 'initially', 'complete']
Original Request: A copy of inspection report concerning Toronto Water incident No. 5447157 which occurred at {.}. Record search from Aug. 13, 2018 to Aug. 16, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'concern', 'toronto', 'water', 'incident', '5447157', 'occur', 'record', 'search', 'august', 'august']
Original Request: Copies of investigative notes, issued order and responsive records (from the condo); which led to the issuance of an order to {.} for the daily closure main garbage doors. Record search from Oct. 15, 2016 to Nov. 4, 2016.
Tokens prepared for LDA: ['copy', 'investigative', 'issue', 'order', 'responsive', 'record', 'condo', 'issuance', 'order', 'daily', 'closure', 'garbage', 'record', 'search', 'october', 'november']
Original Request: Toronto-York Water Supply Agreement as referenced in Tab 5.10 of Volume 2 of the 2014-2018 City Council Briefing Book (available at https://www.toronto.ca/wp-content/uploads/2017/12/8ddf-city-council-briefing-book-volume-2a.pd), as originally adopted etc
Tokens prepared for LDA: ['toronto', 'water', 'supply', 'agreement', 'reference', 'volume', 'council', 'briefing', 'available', 'https://www.toronto.ca/wp-content/uploads/2017/12/8ddf-city-council-briefing-book-volume-2a.pd', 'originally', 'adopt']
Original Request: Copies of all permit applications and permits for commercial property at 4936 Yonge St. Record search from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'permit', 'commercial', 'property', 'yonge', 'record', 'search', 'possible', 'present']
Original Request: A copy of security camera footage capturing Nathan Phillips Children's Playground gate on Aug. 14, 2018 between 1:00pm ? 2:00 pm. Footage should depict child(boy) in this area wearing a camo ball cap, green shirt and blueish shorts with small etc.
Tokens prepared for LDA: ['security', 'camera', 'footage', 'capture', 'nathan', 'phillips', 'child', 'playground', 'august', '1:00pm', 'footage', 'depict', 'child(boy', 'green', 'shirt', 'blueish', 'short', 'small']
Original Request: A copy of building inspection report for {.}, which was conducted by Stjepan Zepic. Record search from Mar. 1, 2018 to Aug. 24, 2018.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'conduct', 'stjepan', 'zepic', 'record', 'search', 'march', 'august']
Original Request: A copy of building inspection report for {.} in relation to {.}, which was conducted by Stjepan Zepic. Record search from Mar. 1, 2018 to Aug. 24, 2018.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'relation', 'conduct', 'stjepan', 'zepic', 'record', 'search', 'march', 'august']
Original Request: A copy of building inspection report for {.} in relation to {.}, which was conducted by Stjepan Zepic. Record search from Mar. 1, 2018 to Aug. 24, 2018.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'relation', 'conduct', 'stjepan', 'zepic', 'record', 'search', 'march', 'august']
Original Request: A copy of investigative reports, notes, photos and any other documentation concerning unleashed dog at {.} the incidents occurred sometime between Apr. - May 2018 & on Aug. 9, 2018.
Tokens prepared for LDA: ['investigative', 'report', 'photo', 'documentation', 'concern', 'unleash', 'incident', 'occur', 'april', 'august']
Original Request: All building records, including all permits concerning {.} as well as, all correspondence exchanged between the City and the property owner with respect to the building permits.
Tokens prepared for LDA: ['build', 'record', 'include', 'permit', 'concern', 'correspondence', 'exchange', 'property', 'owner', 'respect', 'build', 'permit']
Original Request: A copy of tree inspection notes following investigation at {.} on Jul. 27, 2018, file No. 5384440.
Tokens prepared for LDA: ['inspection', 'follow', 'investigation', '5384440']
Original Request: A copy of all building permit, inspection reports and correspondence regarding {.} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'correspondence', 'regard', 'possible', 'present']
Original Request: Copies of 911 incident reports and call transcript following responses by Toronto Fire and Toronto Paramedic Services to {.} on Jul. 23, 2018.
Tokens prepared for LDA: ['copy', 'incident', 'report', 'transcript', 'follow', 'response', 'toronto', 'toronto', 'paramedic', 'services']
Original Request: A copy of zoning certificate 17135383 and any related documents for {.}.
Tokens prepared for LDA: ['certificate', '17135383', 'relate', 'document']
Original Request: Copies of zoning certificates and any related documents for {.}.
Tokens prepared for LDA: ['copy', 'certificate', 'relate', 'document']
Original Request: A copy of MMS reports of the patrolling activity on Birchmount Road on January 16 and January 18, 2018.
Tokens prepared for LDA: ['report', 'patrol', 'activity', 'birchmount', 'january', 'january']
Original Request: Copies of investigative notes and reports concerning complaints regarding noise, garbage and long grass issues at {}. Record search from Jul. 1, 2015 to Aug. 24, 2018.
Tokens prepared for LDA: ['copy', 'investigative', 'report', 'concern', 'complaint', 'regard', 'noise', 'garbage', 'grass', 'issue', 'record', 'search', 'august']
Original Request: Record of business registration (all companies using the following business name(s) and/or address) information and all complaints pertaining to HSE Group of Companies also known as Home Services Energy - 251 Consumers Rd. Unit 403.
Tokens prepared for LDA: ['record', 'business', 'registration', 'company', 'follow', 'business', 'name(s', 'and/or', 'address', 'information', 'complaint', 'pertain', 'group', 'company', 'services', 'energy', 'consumer']
Original Request: A copy of ML&S inspection reports following investigations at {.}. Record search from Jan. 1, 2018 to Aug. 28, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'record', 'search', 'january', 'august']
Original Request: A copy of final fire prevention inspection notes at {.} on Mar. 23, 2018.
Tokens prepared for LDA: ['final', 'prevention', 'inspection', 'march']
Original Request: A copy of animal services file A18-03256.
Tokens prepared for LDA: ['animal', 'service', '03256']
Original Request: A complete copy of dog bite report for the incident that occurred on Aug. 11 ,2018 outside NoFrills at Dundas and Lansdowne Ave. under file # A18-037504. Requester was the victim. Record search from Aug. 11, 2018 to present
Tokens prepared for LDA: ['complete', 'report', 'incident', 'occur', 'august', 'outside', 'nofrills', 'dundas', 'lansdowne', '037504', 'requester', 'victim', 'record', 'search', 'august', 'present']
Original Request: a) Correspondence and notes on telephone calls related to the scheduling of the July 9 meeting between Premier Doug Ford and Toronto Mayor John Tory b) Contemporaneous notes or post-meeting memos related to that meeting
Tokens prepared for LDA: ['correspondence', 'telephone', 'relate', 'schedule', 'premier', 'toronto', 'mayor', 'contemporaneous', 'relate']
Original Request: All documents relating to bylaw charges issued to {.} from 2017 to present.
Tokens prepared for LDA: ['document', 'relate', 'bylaw', 'charge', 'issue', 'present']
Original Request: Copies of photographs taken of work performed by Toronto Water at the intersection of Felan Cres. And Lakeland Dr., between May and October of 2016. As well as, any documentation of resulting water testing and purification due to pipe replacement.
Tokens prepared for LDA: ['copy', 'photograph', 'perform', 'toronto', 'water', 'intersection', 'felan', 'lakeland', 'october', 'documentation', 'result', 'water', 'purification', 'replacement']
Original Request: Record of all 311, parking and forestry related complaints made in relation to {.} from from 2011 to present. Including all investigative notes, reports and orders issued.
Tokens prepared for LDA: ['record', 'forestry', 'relate', 'complaint', 'relation', 'present', 'include', 'investigative', 'report', 'order', 'issue']
Original Request: Record of the average price of taxi licences every year between 1996 to 2018.
Tokens prepared for LDA: ['record', 'average', 'price', 'licence']
Original Request: A copy of dog bite incident report A18-016205, in relation to attack on Apr. 11, 2018.
Tokens prepared for LDA: ['incident', 'report', '016205', 'relation', 'attack', 'april']
Original Request: Copies of all reports associated with the following 311 reference numbers: 5419922; 5419927; 5419934; 5410549 and any other call reports pertaining to {.}. Record search from Jan. 2016 to Aug. 30, 2018.
Tokens prepared for LDA: ['copy', 'report', 'associate', 'follow', 'reference', 'number', '5419922', '5419927', '5419934', '5410549', 'report', 'pertain', 'record', 'search', 'january', 'august']
Original Request: A copy of video footage from the 2nd floor of Bendale Aces in which a fall incident occurred involving resident who fell the area between the hall way etc.
Tokens prepared for LDA: ['video', 'footage', 'floor', 'bendale', 'incident', 'occur', 'involve', 'resident']
Original Request: Requesting all applications, building permits, complaints and investigations (open and closed) relating to {} from Jan. 1, 1985 to present.
Tokens prepared for LDA: ['request', 'application', 'build', 'permit', 'complaint', 'investigation', 'close', 'relate', 'january', 'present']
Original Request: Copies of fire inspection reports for {.} from Jan. 1, 2008 to Aug. 30, 2018.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'january', 'august']
Original Request: Any drawings/information on sanitary, storm and water service connection to {.}.
Tokens prepared for LDA: ['drawing', 'information', 'sanitary', 'storm', 'water', 'service', 'connection']
Original Request: Any drawings/information on sanitary, storm and water service connection to the Westin Prince Hotel - 900 York Mills Rd.
Tokens prepared for LDA: ['drawing', 'information', 'sanitary', 'storm', 'water', 'service', 'connection', 'westin', 'prince', 'hotel', 'mills']
Original Request: Record of any landscaping permits issued to {.} from 2013 to present.
Tokens prepared for LDA: ['record', 'landscape', 'permit', 'issue', 'present']
Original Request: Record of any construction or sewage repair work on Feb. 28, 2017 in the area of Lawrence Ave. W. specifically Lawrence & Westona St.
Tokens prepared for LDA: ['record', 'construction', 'sewage', 'repair', 'february', 'lawrence', 'specifically', 'lawrence', 'westona']
Original Request: All notes, witness statements and photos relating to fire incident at {.} on Jun. 28, 2016; including, all fire code violations and complaints from Jun. 1, 2012 to present.
Tokens prepared for LDA: ['witness', 'statement', 'photo', 'relate', 'incident', 'include', 'violation', 'complaint', 'present']
Original Request: Record confirming the installation of fire alarm control panel at {.} by Protocom Fire Protection, invoice #2193102, and work order 454504. Record search from Aug. 23, 2016.
Tokens prepared for LDA: ['record', 'confirm', 'installation', 'alarm', 'control', 'panel', 'protocom', 'protection', 'invoice', '2193102', 'order', '454504', 'record', 'search', 'august']
Original Request: A copy of any records related to asbestos, asbestos inspections, and/or asbestos materials built in the home at {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'asbestos', 'asbestos', 'inspection', 'and/or', 'asbestos', 'material', 'build', 'specify', 'address}.']
Original Request: A copy of all building documents related to {a specified address}, including all records, permits, building inspections, or records related to any renovations from 2000 to present.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'include', 'record', 'permit', 'build', 'inspection', 'record', 'relate', 'renovation', 'present']
Original Request: A copy of the agreement between Ryerson University and the City of Toronto concerning Sam the Record Man's signs, dated January 16, 2008.
Tokens prepared for LDA: ['agreement', 'ryerson', 'university', 'toronto', 'concern', 'record', 'january']
Original Request: A copy of any Animal Service or Public Health records related to the Pitbull at {a specified address}, Etobicoke. Including records related to a dog bite incident on May 19, 2012 between 6-7 p.m.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'record', 'relate', 'pitbull', 'specify', 'address', 'etobicoke', 'include', 'record', 'relate', 'incident']
Original Request: A copy of any documents related to the water main at Osler Street and Dupont Street between January 1 and June 14, 2012. Including any inspections, notes, work orders, contracts for work on the water main, incident reports, or damage investigations.
Tokens prepared for LDA: ['document', 'relate', 'water', 'osler', 'street', 'dupont', 'street', 'january', 'include', 'inspection', 'order', 'contract', 'water', 'incident', 'report', 'damage', 'investigation']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 14, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incidne toccurred on August 25, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incidne', 'toccurred', 'august']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Donlands Avenue and Plains Road. The incident occurred on April 4, 2009. Fire Report No. F09036343.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'donlands', 'avenue', 'plain', 'incident', 'occur', 'april', 'report', 'f09036343']
Original Request: A copy of all documents associated with the 2005 water damage claim of {a specified address}.
Tokens prepared for LDA: ['document', 'associate', 'water', 'damage', 'claim', 'specify', 'address}.']
Original Request: A copy of all building permits post 1926 for {a specified address} and any information regarding the history of the house construction, owners, etc.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'information', 'regard', 'history', 'house', 'construction', 'owner']
Original Request: A copy of the contract and tender for the contract between the City of Toronto and Tectonic Infrastructure for the storm water project in Hogg's Hollow.
Tokens prepared for LDA: ['contract', 'tender', 'contract', 'toronto', 'tectonic', 'infrastructure', 'storm', 'water', 'project', 'hollow']
Original Request: A copy of the tree removal permits or any records related to the removal of trees for {a specified address}, Etobicoke. Only records from 2007.
Tokens prepared for LDA: ['removal', 'permit', 'record', 'relate', 'removal', 'specify', 'address', 'etobicoke', 'record']
Original Request: A copy of any records related to work done on the water main system and sewage system in the vicinity of {a specified address} around September 16, 2010 and November 17, 2010.
Tokens prepared for LDA: ['record', 'relate', 'water', 'sewage', 'vicinity', 'specify', 'address', 'september', 'november']
Original Request: A copy of the red light camera records for Lakeshore Blvd. and Carlaw Avenue around 5:10 p.m. There was a motor vehicle accident within the intersection.
Tokens prepared for LDA: ['light', 'camera', 'record', 'lakeshore', 'carlaw', 'avenue', 'motor', 'vehicle', 'accident', 'intersection']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 24, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 1, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the building records and permits for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'permit', 'specify', 'address}.']
Original Request: A copy of the report for the garbage recycling bin (grey bin) hat went missing December 2011 at {a specified address}.
Tokens prepared for LDA: ['report', 'garbage', 'recycle', 'december', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on August 28, 2012. Fire Report No. F12088622.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august', 'report', 'f12088622']
Original Request: A copy of the fire inspection report for {a specified address}. This report states that the restaurant is not permitted.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address}.', 'report', 'state', 'restaurant', 'permit']
Original Request: A copy of the fire report for the motor vehicle accident at HWY 401 eastbound near Islington Avenue. The incident occurred on October 2, 2009 at approximately 5:15 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'eastbound', 'islington', 'avenue', 'incident', 'occur', 'october', 'approximately']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 12, 2012. The incident relates to an accident on an elevator.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september', 'incident', 'relate', 'accident', 'elevator']
Original Request: A copy of the notes and other supporting materials used to prepare the City Ombudsman's Report 'An Investigation into the administration of the Public Appointments Policy' published September 28, 2012.
Tokens prepared for LDA: ['support', 'material', 'prepare', 'ombudsman', 'report', 'investigation', 'administration', 'public', 'appointment', 'policy', 'publish', 'september']
Original Request: A copy of any documentation regarding {a specified address} over the past 5 years.
Tokens prepared for LDA: ['documentation', 'regard', 'specify', 'address']
Original Request: A copy of the records in the case file of maintenance complaints submitted by {an individual} against property owners {an individual}, including any work orders and non-compliance records, including records from Martin Rygiel.
Tokens prepared for LDA: ['record', 'maintenance', 'complaint', 'submit', 'individual', 'property', 'owner', 'individual', 'include', 'order', 'compliance', 'record', 'include', 'record', 'martin', 'rygiel']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 23, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 28, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the Road Dept. (Transportation) Report of the cleaning of the sidewalks on the north side of Hillhurst Blvd. from Bathurst St. East along Hillhurst to {a specified address}. The cleaning occurred on Feb. 8, 2011 after 4.00 pm.
Tokens prepared for LDA: ['transportation', 'report', 'clean', 'sidewalk', 'north', 'hillhurst', 'bathurst', 'hillhurst', 'specify', 'address}.', 'clean', 'occur', 'february']
Original Request: A copy of judgment issued by Urban Forestry relating to the submissions made for application to destroy a tree at {a specified address}. The submissions were closed on June 12, 2012.
Tokens prepared for LDA: ['judgment', 'issue', 'urban', 'forestry', 'relate', 'submission', 'application', 'destroy', 'specify', 'address}.', 'submission', 'close']
Original Request: A copy of all building documents for {a specified address} back to original date of construction.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'original', 'construction']
Original Request: Copies of orders and other documents issued by Building relating to an exhaust system located at {a specified address}., and copies of orders and investigation reports on property maintenance, garbage, pest control from May 2010 to date.
Tokens prepared for LDA: ['copy', 'order', 'document', 'issue', 'building', 'relate', 'exhaust', 'locate', 'specify', 'address}.', 'order', 'investigation', 'report', 'property', 'maintenance', 'garbage', 'control']
Original Request: A copy of ML&S file # 12239436 relating to {a specified address}.
Tokens prepared for LDA: ['12239436', 'relate', 'specify', 'address}.']
Original Request: A copy of ML&S file # 1672400 for {a specified address}. The By-law Officer is Peter Nelson.
Tokens prepared for LDA: ['1672400', 'specify', 'address}.', 'officer', 'peter', 'nelson']
Original Request: A copy of all records from 311, Building and ML&S for {a specified address}, from 2008 to present.
Tokens prepared for LDA: ['record', 'building', 'specify', 'address', 'present']
Original Request: A copy of the full case file of Inspector Peter Zambrowicz from Public health regarding complaint of mould in the basement of {a specified address}.
Tokens prepared for LDA: ['inspector', 'peter', 'zambrowicz', 'public', 'health', 'regard', 'complaint', 'mould', 'basement', 'specify', 'address}.']
Original Request: A copy of road maintenance records for the period of Jan. 5, 2010 to and including Jan. 6, 2010, including snow removal information, salting, snow-plowing, snow removal schedules and complants on Eglinton Ave. E. between Midland Ave. and Brimley Rd.
Tokens prepared for LDA: ['maintenance', 'record', 'period', 'january', 'include', 'january', 'include', 'removal', 'information', 'removal', 'schedule', 'complants', 'eglinton', 'midland', 'brimley']
Original Request: A copy of the complaint and investigation file related to {a specified address} from September 2012.
Tokens prepared for LDA: ['complaint', 'investigation', 'relate', 'specify', 'address', 'september']
Original Request: A copy of the ambulance call report with respect to the slip and fall incident that occurred on November 8, 2008. The incident occurred at {a specified address}.
Tokens prepared for LDA: ['ambulance', 'report', 'respect', 'incident', 'occur', 'november', 'incident', 'occur', 'specify', 'address}.']
Original Request: A copy of the tree removal permits or any records related to the removal of trees for {a specified address}, Etobicoke. Only records from 2007.
Tokens prepared for LDA: ['removal', 'permit', 'record', 'relate', 'removal', 'specify', 'address', 'etobicoke', 'record']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on August 5, 2012. Fire Report No. F12081882. Also a copy of any records related to the use of water or power washing to extinguish the fire.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august', 'report', 'f12081882', 'record', 'relate', 'water', 'power', 'extinguish']
Original Request: A copy of the fire report for {a specified address}. The incident occurred July 17, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 29, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 25, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on August 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on March 21, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the building inspection reports for {a specified address} related to permit no. 11 185 828 HVA 00 MS. Records should only be from the past 2 years.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'relate', 'permit', 'record']
Original Request: A list of orchestras that hold a current lottery (bingo) license issued by the City of Toronto as well as a description of the charitable programme (or purposes) that each of these organizations are using the lottery proceeds for.
Tokens prepared for LDA: ['orchestra', 'current', 'lottery', 'bingo', 'license', 'issue', 'toronto', 'description', 'charitable', 'programme', 'purpose', 'organization', 'lottery', 'proceed']
Original Request: A copy of building records related to {a specified address}, including records related to permit no. 061208, 352955, and 93 022136. Also any records indicating when this building was constructed.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'include', 'record', 'relate', 'permit', '061208', '352955', '022136', 'record', 'indicate', 'build', 'construct']
Original Request: A copy of documents related to permit no. D881489 and any supplementary information for drains and water management issues at {a specified address}.
Tokens prepared for LDA: ['document', 'relate', 'permit', 'd881489', 'supplementary', 'information', 'drain', 'water', 'management', 'issue', 'specify', 'address}.']
Original Request: A copy of the report relating to a blocked drain causing sewer back up to flood the basement at {a specified address}.
Tokens prepared for LDA: ['report', 'relate', 'block', 'drain', 'cause', 'sewer', 'flood', 'basement', 'specify', 'address}.']
Original Request: A copy of the Ministry of Transportation Traffic Report that describes the roadwork on June 19, 2012 in Sheppard and Bathurst area.
Tokens prepared for LDA: ['ministry', 'transportation', 'traffic', 'report', 'roadwork', 'sheppard', 'bathurst']
Original Request: A copy of all records, documents, surveys or bylaws pertaining to the chain across the private drive entrance to the townhouse development on Triburnham Place.
Tokens prepared for LDA: ['record', 'document', 'survey', 'bylaw', 'pertain', 'chain', 'private', 'drive', 'entrance', 'townhouse', 'development', 'triburnham', 'place']
Original Request: A copy of records from Toronto Animal Services Mobile Response Unit regarding complaint no. A12-17688 and A12-22216.
Tokens prepared for LDA: ['record', 'toronto', 'animal', 'services', 'mobile', 'response', 'regard', 'complaint', '17688', '22216']
Original Request: A copy of all records to date regarding the Animal Services file no. 12-011440. Also any records related to the individual at {a specified address} having an online dog training business.
Tokens prepared for LDA: ['record', 'regard', 'animal', 'services', '011440', 'record', 'relate', 'individual', 'specify', 'address', 'online', 'train', 'business']
Original Request: A copy of the tree inspection report completed at {a specified address} in July of 2012. The 311 reference no. is 1567934.
Tokens prepared for LDA: ['inspection', 'report', 'complete', 'specify', 'address', 'reference', '1567934']
Original Request: A copy of any outstanding ML&S or Building work orders/permits pertaining to {a specified address}.
Tokens prepared for LDA: ['outstanding', 'building', 'order', 'permit', 'pertain', 'specify', 'address}.']
Original Request: A copy of the Arborist Report relating to a tree at {a specified address} as well as any information relating to the owner of this property.
Tokens prepared for LDA: ['arborist', 'report', 'relate', 'specify', 'address', 'information', 'relate', 'owner', 'property']
Original Request: A copy of all records related to the inspection by Urban Forestry - Ravine and Natural Feature Protection Unit at {a specified address} in 2012, including any follow-up action, arborist reports, protection plans, and replanting plans.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'urban', 'forestry', 'ravine', 'natural', 'feature', 'protection', 'specify', 'address', 'include', 'follow', 'action', 'arborist', 'report', 'protection', 'replant']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 19, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: Copies of all expenses, fully itemized and receipts included, filed by board members of the various listed entitles since July 1, 2011 for Independent Investment Advisory Committee; Toronto Licensing Tribunal; Property Standards; Toronto Portlands, Zoo.
Tokens prepared for LDA: ['copy', 'expense', 'fully', 'itemize', 'receipt', 'include', 'board', 'member', 'various', 'entitle', 'independent', 'investment', 'advisory', 'committee', 'toronto', 'license', 'tribunal', 'property', 'standard', 'toronto', 'portland']
Original Request: A copy of the application for a building permit to construct a new single family residence at {a specified address}. This application was submitted August 22, 2012.
Tokens prepared for LDA: ['application', 'build', 'permit', 'construct', 'single', 'family', 'residence', 'specify', 'address}.', 'application', 'submit', 'august']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 9, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 5, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on June 30, 2012. Fire Report No. F12070549.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'report', 'f12070549']
Original Request: A copy of any documents relating to the Fair Wage Office's investigation of the contractor referred to in the first paragraph of the section titled "2011 Highlights" on page 3 of the Fair Wage Office's 2011 annual report.
Tokens prepared for LDA: ['document', 'relate', 'office', 'investigation', 'contractor', 'refer', 'paragraph', 'section', 'title', 'highlight', 'office', 'annual', 'report']
Original Request: A copy of any and all past orders issued to Coldsprings Landscaping to stop their operation from {a specified address}, Etobicoke. Records from January 2004 to present.
Tokens prepared for LDA: ['order', 'issue', 'coldsprings', 'landscaping', 'operation', 'specify', 'address', 'etobicoke', 'record', 'january', 'present']
Original Request: A copy of the 2 documents related to {a specified address} from or around 1960, including any building permits or surveys.
Tokens prepared for LDA: ['document', 'relate', 'specify', 'address', 'include', 'build', 'permit', 'survey']
Original Request: A copy of any contractual agreement between the City of Toronto and Orgapower for the removal and/or disposal of City of Toronto sewage sludge.
Tokens prepared for LDA: ['contractual', 'agreement', 'toronto', 'orgapower', 'removal', 'and/or', 'disposal', 'toronto', 'sewage', 'sludge']
Original Request: A copy of any contractual agreement between the City of Toronto and Sittler Environmental for the removal and/or disposal of City of Toronto sewage sludge.
Tokens prepared for LDA: ['contractual', 'agreement', 'toronto', 'sittler', 'environmental', 'removal', 'and/or', 'disposal', 'toronto', 'sewage', 'sludge']
Original Request: A copy of the animal services complaint files for {a specified address} from October 2011 and July 2012.
Tokens prepared for LDA: ['animal', 'service', 'complaint', 'specify', 'address', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 7, 2011. Fire Report No. F11103853.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september', 'report', 'f11103853']
Original Request: A copy of the fire report for a motor vehicle accident that occurred at Bernice Crescent and Scarlett Road. The incident occurred on October 10, 2010 around 9:11 a.m. Fire Report No. F10115905.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'bernice', 'crescent', 'scarlett', 'incident', 'occur', 'october', 'report', 'f10115905']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 9, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of any building orders issued to {a specified address} in the past 12 months.
Tokens prepared for LDA: ['build', 'order', 'issue', 'specify', 'address', 'month']
Original Request: A copy of all inspection reports for {a specified address} basement apartment for the past 3 years from ML&S, Public Health, and Fire Services.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'basement', 'apartment', 'public', 'health', 'services']
Original Request: A copy of the traffic camera video and stills from the DVP on May 27, 2012 between 5:00 a.m. to 6:00 a.m. Videos and images from cameras 68 to 71 and 73 to 77.
Tokens prepared for LDA: ['traffic', 'camera', 'video', 'video', 'image', 'camera']
Original Request: A copy of the bed bug complaint records for {a specified address} that was submitted by {an individual} in August, 2009. Also any associated records related to the complaint.
Tokens prepared for LDA: ['complaint', 'record', 'specify', 'address', 'submit', 'individual', 'august', 'associate', 'record', 'relate', 'complaint']
Original Request: A copy of all business licenses issued to {a specified address} for the past 10 years, including any records and dates.
Tokens prepared for LDA: ['business', 'license', 'issue', 'specify', 'address', 'include', 'record']
Original Request: A copy of all documents related to the garage building at {a specified address} and who built it in 2005, also any records regarding the back porch and front deck, including any by-law enforcement records from 2011.
Tokens prepared for LDA: ['document', 'relate', 'garage', 'build', 'specify', 'address', 'build', 'record', 'regard', 'porch', 'include', 'enforcement', 'record']
Original Request: A copy of all complaint records and associated files from Public Health, MLS, and Building for {a specified address}. All records since August 2012.
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'public', 'health', 'building', 'specify', 'address}.', 'record', 'august']
Original Request: A copy of the past bid tabulation for the "Yellow Bag Program" bag bid and a copy of the past yellow bag bid specification.
Tokens prepared for LDA: ['tabulation', 'yellow', 'program', 'yellow', 'specification']
Original Request: A copy of the archival records regarding the development of the Toronto-Dominion Centre Project. Fonds 200, Series, 368, File 105, Box 140170, Folio 12.
Tokens prepared for LDA: ['archival', 'record', 'regard', 'development', 'toronto', 'dominion', 'centre', 'project', 'fonds', 'series', '140170', 'folio']
Original Request: A copy of records showing the date the school crossing sign was first put on the utility pole on the south side of Eglinton Avenue (first pole east of Atlas Avenue in front of the synagogue). Also any documents related to the decision of sign location.
Tokens prepared for LDA: ['record', 'school', 'cross', 'utility', 'south', 'eglinton', 'avenue', 'atlas', 'avenue', 'synagogue', 'document', 'relate', 'decision', 'location']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on October 8, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on June 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of any records related to the dog bite at {a specified address}. The incident occurred on December 14, 2011.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the complaint file regarding a dog at {a specified address}. The complaint was made to Animal Services in June 2012. Activity/Complaint No. A12-011847.
Tokens prepared for LDA: ['complaint', 'regard', 'specify', 'address}.', 'complaint', 'animal', 'services', 'activity', 'complaint', '011847']
Original Request: A copy of the operating agreement(s) with Toronto Community Housing for the 49 year lease lands of the co-op which Sonny Atkinson was apart of in 1995. Also copies of all agreements on the property of Atkinson Co-op Housing.
Tokens prepared for LDA: ['operate', 'agreement(s', 'toronto', 'community', 'housing', 'lease', 'sonny', 'atkinson', 'apart', 'agreement', 'property', 'atkinson', 'housing']
Original Request: A copy of any outstanding orders or violations regarding {a specified address}. Any records from Building, MLS, Fire Services, Public Health, Toronto Water, or Transportation Services.
Tokens prepared for LDA: ['outstanding', 'order', 'violation', 'regard', 'specify', 'address}.', 'record', 'building', 'services', 'public', 'health', 'toronto', 'water', 'transportation', 'services']
Original Request: A copy of all building permits, zoning records, and any other building records for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'build', 'record', 'specify', 'address}.']
Original Request: A copy of the Public Health inspection report no. CRSIR 116008 for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'crsir', '116008', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 31, 2007.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the building permit history for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'history', 'specify', 'address}.']
Original Request: A copy of the building records for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address}.']
Original Request: A copy of the Notice of Violation issued by Animal Services to {a specified address}. The notice was issued on September 27, 2012.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'animal', 'services', 'specify', 'address}.', 'notice', 'issue', 'september']
Original Request: A copy of any records related to a City tree falling on a vehicle at {a specified address}, including any inspection and maintenance records from 1980 to present. The incident occurred on April 16, 2012.
Tokens prepared for LDA: ['record', 'relate', 'vehicle', 'specify', 'address', 'include', 'inspection', 'maintenance', 'record', 'present', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for Victoria Park and Ellesmere Road. The motor vehicle accident occurred on October 28, 2010.
Tokens prepared for LDA: ['report', 'victoria', 'ellesmere', 'motor', 'vehicle', 'accident', 'occur', 'october']
Original Request: A copy of the Animal Services file no. 12-018480. This file relates to a dog attack that occurred on August 28, 2012.
Tokens prepared for LDA: ['animal', 'services', '018480', 'relate', 'attack', 'occur', 'august']
Original Request: A copy of all records for the past 50 years related to floods caused by sewers or weeping tile backups for {a specified address}, including any calls made to 311 or Toronto Water.
Tokens prepared for LDA: ['record', 'relate', 'flood', 'cause', 'sewer', 'backup', 'specify', 'address', 'include', 'toronto', 'water']
Original Request: A copy of the MLS file no. B22659 related to Opus One Design Build operating without a license. The charge was laid against {an individual}.
Tokens prepared for LDA: ['b22659', 'relate', 'design', 'build', 'operate', 'license', 'charge', 'individual}.']
Original Request: A copy of any Building or MLS inspections, reports, notices of violation, orders, and/or investigations regarding {a specified address}.
Tokens prepared for LDA: ['building', 'inspection', 'report', 'notice', 'violation', 'order', 'and/or', 'investigation', 'regard', 'specify', 'address}.']
Original Request: A copy of any outstanding fire violations, fire work orders, any clearance certificates regarding fire separations, and a history of fire related work orders, fines and violations regarding fire separations for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'violation', 'order', 'clearance', 'certificate', 'regard', 'separation', 'history', 'relate', 'order', 'violation', 'regard', 'separation', 'specify', 'address}.']
Original Request: A copy of any outstanding fire violations, fire work orders, any clearance certificates regarding fire separations, and a history of fire related work orders, fines and violations regarding fire separations for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'violation', 'order', 'clearance', 'certificate', 'regard', 'separation', 'history', 'relate', 'order', 'violation', 'regard', 'separation', 'specify', 'address}.']
Original Request: A copy of any outstanding fire violations, fire work orders, any clearance certificates regarding fire separations, and a history of fire related work orders, fines and violations regarding fire separations for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'violation', 'order', 'clearance', 'certificate', 'regard', 'separation', 'history', 'relate', 'order', 'violation', 'regard', 'separation', 'specify', 'address}.']
Original Request: A copy of any outstanding fire violations, fire work orders, any clearance certificates regarding fire separations, and a history of fire related work orders, fines and violations regarding fire separations for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'violation', 'order', 'clearance', 'certificate', 'regard', 'separation', 'history', 'relate', 'order', 'violation', 'regard', 'separation', 'specify', 'address}.']
Original Request: A copy of any outstanding fire violations, fire work orders, any clearance certificates regarding fire separations, and a history of fire related work orders, fines and violations regarding fire separations for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'violation', 'order', 'clearance', 'certificate', 'regard', 'separation', 'history', 'relate', 'order', 'violation', 'regard', 'separation', 'specify', 'address}.']
Original Request: A copy of any and all records related to {a specified address}, including all permit records, inspections, complaints, electrical or plumbing records, structural records, any records related to additions to the building and infraction records.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'permit', 'record', 'inspection', 'complaint', 'electrical', 'plumb', 'record', 'structural', 'record', 'record', 'relate', 'addition', 'build', 'infraction', 'record']
Original Request: A copy of any and all fire incident reports for {a specified address} for as far back as possible.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address', 'possible']
Original Request: A copy of the fire report for {a specified address} and the most recent fire prevention inspection report prior to May 29, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'recent', 'prevention', 'inspection', 'report', 'prior']
Original Request: A copy of the plumbing reports for {a specified address}, including the report from September 28, 2012. Toronto Water reference no. 1724470.
Tokens prepared for LDA: ['plumb', 'report', 'specify', 'address', 'include', 'report', 'september', 'toronto', 'water', 'reference', '1724470']
Original Request: A copy of all documents and reports on the Green Lane facility, including what tonage waste is dumped each year (a breakdown of how much each region dumps in waste at Green Lane) and the cost that the City charged each region for 2010 and 2011.
Tokens prepared for LDA: ['document', 'report', 'green', 'facility', 'include', 'tonage', 'waste', 'breakdown', 'region', 'waste', 'green', 'charge', 'region']
Original Request: A copy of any records relating to the food service or cafeteria facilities at 1) Etobicoke Civic Centre, 2) York Civic Centre, 3) East York Civic Centre; during the time period of January 1, 2006 to present.
Tokens prepared for LDA: ['record', 'relate', 'service', 'cafeteria', 'facility', 'etobicoke', 'civic', 'centre', 'civic', 'centre', 'civic', 'centre', 'period', 'january', 'present']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 4, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 3, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 5, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the building file no. 112394 for {a specified address}.
Tokens prepared for LDA: ['build', '112394', 'specify', 'address}.']
Original Request: A copy of the building work order history for {a specified address}.
Tokens prepared for LDA: ['build', 'order', 'history', 'specify', 'address}.']
Original Request: A copy of the building file no. 11-235354BR/11-254224 V1 for {a specified address}.
Tokens prepared for LDA: ['build', '235354br/11', '254224', 'specify', 'address}.']
Original Request: A copy of all building documents for {a specified address}.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address}.']
Original Request: A copy of all quotations submitted for quotation request no. 6115-12-3176 issued August 28, 2012. RFQ No. 1129826 (Fire Services).
Tokens prepared for LDA: ['quotation', 'submit', 'quotation', 'request', 'issue', 'august', '1129826', 'services']
Original Request: A copy of all records, including briefing notes, emails and other correspondence to and/or from Mayor Ford or the Office of the Mayor pertaining to Mayor Ford's attendance and participation at the International Day Against Homophobia and Transphobia.
Tokens prepared for LDA: ['record', 'include', 'brief', 'email', 'correspondence', 'and/or', 'mayor', 'office', 'mayor', 'pertain', 'mayor', 'attendance', 'participation', 'international', 'homophobia', 'transphobia']
Original Request: A copy of the 911 call record regarding the motor vehicle accident that occurred on the Fred Gardiner Expressway and South Kingsway. The incident occurred on May 31, 2010.
Tokens prepared for LDA: ['record', 'regard', 'motor', 'vehicle', 'accident', 'occur', 'gardiner', 'expressway', 'south', 'kingsway', 'incident', 'occur']
Original Request: A copy of all emails related to the road and culvert repairs on Greensboro Drive in August 2012 near the property owned by Deco Labels and Tags; including the initial emails, follow up emails, and emails. Requesting same records released under 2012-1814.
Tokens prepared for LDA: ['email', 'relate', 'culvert', 'repair', 'greensboro', 'drive', 'august', 'property', 'label', 'include', 'initial', 'email', 'follow', 'email', 'email', 'request', 'record', 'release']
Original Request: A copy of all documents including but not limited to memos, emails, text messages, briefing notes and talking points related to the Mayor and his football activities. Records from September 2012 to present.
Tokens prepared for LDA: ['document', 'include', 'limit', 'email', 'message', 'brief', 'point', 'relate', 'mayor', 'football', 'activity', 'record', 'september', 'present']
Original Request: A copy of all building documents related for {a specified address}, including but not limited to inspection notes, reports, permits, etc.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'include', 'limit', 'inspection', 'report', 'permit']
Original Request: A copy of all building permit and Committee of Adjustment drawings/papers that relate to {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'committee', 'adjustment', 'drawing', 'paper', 'relate', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 20, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on October 7, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on October 16, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 8, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on August 25, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'august']
Original Request: A copy of the ambulance incident details call report with respect to the motor vehicle accident at Midland Avenue and Danforth Avenue in the parking lot of Fool U Supermarket. The incident occurred on December 24, 2011.
Tokens prepared for LDA: ['ambulance', 'incident', 'report', 'respect', 'motor', 'vehicle', 'accident', 'midland', 'avenue', 'danforth', 'avenue', 'supermarket', 'incident', 'occur', 'december']
Original Request: A copy of the witness statements related to the fire report no. F11049964 for the incident that occurred at {a specified address}. The incident occurred on May 5, 2011.
Tokens prepared for LDA: ['witness', 'statement', 'relate', 'report', 'f11049964', 'incident', 'occur', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the public health reports or outstanding issues regarding {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'report', 'outstanding', 'issue', 'regard', 'specify', 'address}.']
Original Request: A copy of the archival records related to S-21326 Honest Ed's. Fonds 200, Series 1187, Subseries 2, File 171.
Tokens prepared for LDA: ['archival', 'record', 'relate', 's-21326', 'honest', 'fonds', 'series', 'subseries']
Original Request: A copy of the fire inspection report for {a specified address}. The inspection occurred around September 2007.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address}.', 'inspection', 'occur', 'september']
Original Request: A copy of any and all correspondence and communications from or to {an individual}, a staff person in Mayor Rob Ford's Office, regarding preferred candidates for civic appointment as part of the civic appointments process.
Tokens prepared for LDA: ['correspondence', 'communication', 'individual', 'staff', 'person', 'mayor', 'office', 'regard', 'prefer', 'candidate', 'civic', 'appointment', 'civic', 'appointment', 'process']
Original Request: A copy of any and all correspondence and communications to or from Mayor Rob Ford and/or any member of the Mayor's Office staff on the topic of civic appointments as part of the civic appointments process.
Tokens prepared for LDA: ['correspondence', 'communication', 'mayor', 'and/or', 'member', 'mayor', 'office', 'staff', 'topic', 'civic', 'appointment', 'civic', 'appointment', 'process']
Original Request: A copy of the permit information for the demolition work that Joe Pace & Sons completed for {a specified address}.
Tokens prepared for LDA: ['permit', 'information', 'demolition', 'complete', 'specify', 'address}.']
Original Request: A copy of a record indicating the name and address of the Tow Truck company shown as the holder of license #3638.
Tokens prepared for LDA: ['record', 'indicate', 'address', 'truck', 'company', 'holder', 'license']
Original Request: A copy of the security report for a slip and fall incident that occurred on a ramp from Union Station (lower level) as it enters the Go Train concourse. The incident occurred on October 15, 2012 around 9:00 p.m.
Tokens prepared for LDA: ['security', 'report', 'incident', 'occur', 'union', 'station', 'level', 'enter', 'train', 'concourse', 'incident', 'occur', 'october']
Original Request: A copy of all file notes made by the plan examiner and complete revised building permit no. 10 238464 BLD 01 BA pertaining to {a specified address}. The permit was issued on October 18, 2011.
Tokens prepared for LDA: ['examiner', 'complete', 'revise', 'build', 'permit', '238464', 'pertain', 'specify', 'address}.', 'permit', 'issue', 'october']
Original Request: A copy of all building documents related to {a specified address}, including permit applications, drawings, comments from inspectors/examiners as well as fire inspection reports from April 1, 2011 to October 25, 2012.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'include', 'permit', 'application', 'drawing', 'comment', 'inspector', 'examiner', 'inspection', 'report', 'april', 'october']
Original Request: A copy of all legal claims or complaints made against contractors doing work at {a specified address}.
Tokens prepared for LDA: ['legal', 'claim', 'complaint', 'contractor', 'specify', 'address}.']
Original Request: A copy of any citations and notices given to the dog living at {a specified address}.
Tokens prepared for LDA: ['citation', 'notice', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}.
Tokens prepared for LDA: ['report', 'specify', 'address}.']
Original Request: A copy of any and all property/building records, applications/permits, correspondence, field review and inspection reports, etc. associated with {a specified address}.
Tokens prepared for LDA: ['property', 'build', 'record', 'application', 'permit', 'correspondence', 'field', 'review', 'inspection', 'report', 'associate', 'specify', 'address}.']
Original Request: A copy of any call document as described in the City's Procurement Process Policy for Firefighter's Leather Firefighting Boots, NFPA 1971 and CSA Certified (for last 18 months) and any reports from Fire or Purchasing requesting funding/approval for this.
Tokens prepared for LDA: ['document', 'procurement', 'process', 'policy', 'firefighter', 'leather', 'firefighting', 'boot', 'certify', 'month', 'report', 'purchasing', 'request', 'approval']
Original Request: A copy of any street occupation permit applications submitted by P. Lombardi Developments Inc. for around May 1, 2012 to June 30, 2012. The permit applications were requested for a jobsite at {a specified address}.
Tokens prepared for LDA: ['street', 'occupation', 'permit', 'application', 'submit', 'lombardi', 'development', 'permit', 'application', 'request', 'jobsite', 'specify', 'address}.']
Original Request: A copy of the building permit no. 12-198614 PSA for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', '198614', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on May 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on June 20, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 12, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 25, 2012. Fire Report No. F12009453.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january', 'report', 'f12009453']
Original Request: A copy of the Public Health file no. 117152 regarding {a specified address}, including a copy of the complaint record for {a specified address}, the Public Health report, and any additional information from the file.
Tokens prepared for LDA: ['public', 'health', '117152', 'regard', 'specify', 'address', 'include', 'complaint', 'record', 'specify', 'address', 'public', 'health', 'report', 'additional', 'information']
Original Request: A breakdown of Automotive Physical Damage costs for 2011 and for 2012 up to the present day, itemized by incident, name and department. Also a copy of the employee's incident report for the 25 most costly incidents.
Tokens prepared for LDA: ['breakdown', 'automotive', 'physical', 'damage', 'present', 'itemize', 'incident', 'department', 'employee', 'incident', 'report', 'costly', 'incident']
Original Request: An electronic list of all 2012 lost/stolen items reports from Parks, Forestry and Recreation, Shelter, Support and Housing Administration, and City museums.
Tokens prepared for LDA: ['electronic', 'steal', 'report', 'parks', 'forestry', 'recreation', 'shelter', 'support', 'housing', 'administration', 'museum']
Original Request: A copy of the email and PDF list document entitled List from the Mayor's Office (delivered on July 21, 2011 to the Senior Manager responsible for civic appointments). As well as a copy of the City Manager's October 5 letter to the Ombudsman's Office.
Tokens prepared for LDA: ['email', 'document', 'entitle', 'mayor', 'office', 'deliver', 'senior', 'manager', 'responsible', 'civic', 'appointment', 'manager', 'october', 'letter', 'ombudsman', 'office']
Original Request: A copy of records describing the findings of all 53 fraud or waste complaints, from 2011, referred to by the Auditor General, including records describing the discipline imposed in the 27 cases and the "other appropriate action" taken in the 26 cases.
Tokens prepared for LDA: ['record', 'finding', 'fraud', 'waste', 'complaint', 'refer', 'auditor', 'general', 'include', 'record', 'discipline', 'impose', 'appropriate', 'action']
Original Request: A copy of the building permit no. 269435 issued on April 12, 1989 to the basement and to build a stairway at the rear of {a specified address}. Also the records showing the property is an approved two dwelling building.
Tokens prepared for LDA: ['build', 'permit', '269435', 'issue', 'april', 'basement', 'build', 'stairway', 'specify', 'address}.', 'record', 'property', 'approve', 'dwell', 'build']
Original Request: A copy of records listing the gifts Mayor Rob Ford has received from visiting politicians and dignitaries.
Tokens prepared for LDA: ['record', 'mayor', 'receive', 'visit', 'politician', 'dignitary']
Original Request: A copy of all records related to the City's response to Access Request #2012-01814, in which records were provided from the Mayor's Office, Deputy City Manager's Office, and Transportation Services.
Tokens prepared for LDA: ['record', 'relate', 'response', 'access', 'request', '01814', 'record', 'provide', 'mayor', 'office', 'deputy', 'manager', 'office', 'transportation', 'services']
Original Request: A copy of the Mayor's itineraries from July 1, 2012 to October 26, 2012.
Tokens prepared for LDA: ['mayor', 'itinerary', 'october']
Original Request: A copy of any documents that disaggregate the overall number of sick days taken by Toronto Public Service employees in 2010 and 2011 - by City Department, by job, by age of worker, by level of seniority, by union Local 416/79 or by any other searchable.
Tokens prepared for LDA: ['document', 'disaggregate', 'overall', 'toronto', 'public', 'service', 'employee', 'department', 'worker', 'level', 'seniority', 'union', 'local', '416/79', 'searchable']
Original Request: A copy of all records relating to the fence/retaining wall at {a specified address}, including surveys, engineer's reports, orders, pictures etc. for the past 3 to 4 years. Also details of the order issued to {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'fence', 'retain', 'specify', 'address', 'include', 'survey', 'engineer', 'report', 'order', 'picture', 'order', 'issue', 'specify', 'address}.']
Original Request: A copy of any records related to the water service line at {a specified address}, including the description of the pipe and all maintenance, inspection, activity, or service records.
Tokens prepared for LDA: ['record', 'relate', 'water', 'service', 'specify', 'address', 'include', 'description', 'maintenance', 'inspection', 'activity', 'service', 'record']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 15, 2011. Fire Report No. F11158996.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december', 'report', 'f11158996']
Original Request: A copy of the permit letter for selling propane at {a specified address}, North York.
Tokens prepared for LDA: ['permit', 'letter', 'propane', 'specify', 'address', 'north']
Original Request: A copy of all MLS files regarding he contractor named {an individual}. The ML&S Officer was {an individual}.
Tokens prepared for LDA: ['regard', 'contractor', 'individual}.', 'officer', 'individual}.']
Original Request: A copy of the fire report for Millwood Road and Cleveland Street. The motor vehicle accident occurred on November 8, 2011.
Tokens prepared for LDA: ['report', 'millwood', 'cleveland', 'street', 'motor', 'vehicle', 'accident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on August 25, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'august']
Original Request: A list of all condominiums in Scarborough including the legal name, address, age of structure, and number of units.
Tokens prepared for LDA: ['condominium', 'scarborough', 'include', 'legal', 'address', 'structure']
Original Request: A copy of all building inspector notes, including but not limited to those of {an individual} related to building permits issued or applied for at {a specified address} since January 1, 2011.
Tokens prepared for LDA: ['build', 'inspector', 'include', 'limit', 'individual', 'relate', 'build', 'permit', 'issue', 'apply', 'specify', 'address', 'january']
Original Request: A copy of records related to the sale of {a specified address}, including any tax records, purchase of sale records, and records including dates when the property was sold.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'record', 'purchase', 'record', 'record', 'include', 'property']
Original Request: A copy of any records related to service calls made to the City of Toronto regarding {a specified address}, specifically regarding water, drainage, plumbing, and sewer issues.
Tokens prepared for LDA: ['record', 'relate', 'service', 'toronto', 'regard', 'specify', 'address', 'specifically', 'regard', 'water', 'drainage', 'plumb', 'sewer', 'issue']
Original Request: A copy of the building inspection notes for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'specify', 'address}.']
Original Request: A copy of the building inspection notes for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'specify', 'address}.']
Original Request: A copy of the building permits and inspection reports for {a specified address}. File No. 340670.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'specify', 'address}.', '340670']
Original Request: A copy of the building records for {a specified address}, including records stating the use of the property.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'record', 'state', 'property']
Original Request: A copy of the building records for {a specified address} from 2008 to present, including all application documents, specifications, permits issued, and stop work orders issued.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'present', 'include', 'application', 'document', 'specification', 'permit', 'issue', 'order', 'issue']
Original Request: A copy of building records for {a specified address} from 2010 to present, including the building permits on file regarding file no. 10302682, engineering specifications, certificates, approvals, and reports regarding inspections.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'present', 'include', 'build', 'permit', 'regard', '10302682', 'engineer', 'specification', 'certificate', 'approval', 'report', 'regard', 'inspection']
Original Request: A copy of all files regarding {a specified address}, including all reports, videos, resolutions and correspondence related to complaints about the structure of the unit (including windows and mould).
Tokens prepared for LDA: ['regard', 'specify', 'address', 'include', 'report', 'video', 'resolution', 'correspondence', 'relate', 'complaint', 'structure', 'include', 'window', 'mould']
Original Request: A copy of the building permit application and any associated orders or notices issued to {a specified address}. The building application number is 12-270904 BLD.
Tokens prepared for LDA: ['build', 'permit', 'application', 'associate', 'order', 'notice', 'issue', 'specify', 'address}.', 'build', 'application', '270904']
Original Request: A copy of any building documents for {a specified address} since 1990, including permits, citations, inspections, and approvals.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'permit', 'citation', 'inspection', 'approval']
Original Request: A copy of all business licenses held by {an individual} between October 26, 2002 and October 26, 2012.
Tokens prepared for LDA: ['business', 'license', 'individual', 'october', 'october']
Original Request: A copy of the service records for in and around {a specified address} relating to sewer back up issues, including reports, photographs, documents, and videotapes. Records for the past 5 years.
Tokens prepared for LDA: ['service', 'record', 'specify', 'address', 'relate', 'sewer', 'issue', 'include', 'report', 'photograph', 'document', 'videotape', 'record']
Original Request: A copy of the records related to the conviction and fine associated with the dog attack from May 3, 2010. The incident occurred at {a specified address}, Etobicoke.
Tokens prepared for LDA: ['record', 'relate', 'conviction', 'associate', 'attack', 'incident', 'occur', 'specify', 'address', 'etobicoke']
Original Request: A copy of all building application files and Committee of Adjustment files for {a specified address}.
Tokens prepared for LDA: ['build', 'application', 'committee', 'adjustment', 'specify', 'address}.']
Original Request: A copy of the building application file and Commttee of Adjustment file for {a specified address}.
Tokens prepared for LDA: ['build', 'application', 'commttee', 'adjustment', 'specify', 'address}.']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on Progress Avenue. The incident occurred on May 22, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'progress', 'avenue', 'incident', 'occur']
Original Request: A copy of the MLS and fire prevention inspection records and orders or notices issued to the landlord, {an individual}, for the basement apartment at {a specified address}. There was a notice issued on August 30 regarding the kitchen of the rental unit.
Tokens prepared for LDA: ['prevention', 'inspection', 'record', 'order', 'notice', 'issue', 'landlord', 'individual', 'basement', 'apartment', 'specify', 'address}.', 'notice', 'issue', 'august', 'regard', 'kitchen', 'rental']
Original Request: A copy of all available information regarding building permits at {a specified address} and the application made regarding the addition no. 00-153230CMB.
Tokens prepared for LDA: ['available', 'information', 'regard', 'build', 'permit', 'specify', 'address', 'application', 'regard', 'addition', '153230cmb']
Original Request: A copy of training material used by PFR staff to train aquatics wading pool guards, including but not limited to manuals, background material, audio-visual aids, presentations, films, etc.
Tokens prepared for LDA: ['train', 'material', 'staff', 'train', 'aquatic', 'guard', 'include', 'limit', 'manual', 'background', 'material', 'audio', 'visual', 'presentation']
Original Request: A copy of the written report regarding the water sewer clean up on Walder Avenue. The incident occurred on October 26, 2012.
Tokens prepared for LDA: ['write', 'report', 'regard', 'water', 'sewer', 'clean', 'walder', 'avenue', 'incident', 'occur', 'october']
Original Request: A copy of all water discharge permits prior to September 27, 2012 at {a specified address}.
Tokens prepared for LDA: ['water', 'discharge', 'permit', 'prior', 'september', 'specify', 'address}.']
Original Request: A copy of records related to the residential off street parking permit for {a specified address}, including but not limited to a copy of the original application and the agreement the owner entered into with the City.
Tokens prepared for LDA: ['record', 'relate', 'residential', 'street', 'permit', 'specify', 'address', 'include', 'limit', 'original', 'application', 'agreement', 'owner', 'enter']
Original Request: A copy of all MLS records pertaining to {a specified address}, including records specific to unit 12. Also any records related specifically to {an individual}.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'include', 'record', 'specific', 'record', 'relate', 'specifically', 'individual}.']
Original Request: A copy of any building inspection reports for {a specified address} after January 2010 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'january', 'present']
Original Request: A copy of any records related to outstanding weed cutting or hedge cutting charges for {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'outstanding', 'hedge', 'charge', 'specify', 'address}.']
Original Request: A copy of all Death of a Shelter Residence Reports completed in 2009, 2010 and between January 1, 2011 and July 31, 2011.
Tokens prepared for LDA: ['death', 'shelter', 'residence', 'report', 'complete', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 21, 2012 between 1:30 and 2:00 a.m. Fire Report No. F12095672.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september', 'report', 'f12095672']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on June 29, 2012. Fire Report No. F12069919.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'report', 'f12069919']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 26, 2012 at approximately 10:30 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september', 'approximately', '10:30']
Original Request: A copy of the fire report for {a specified address} near Osler Street. The incident occurred on January 9, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'osler', 'street', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on October 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of all red light camera records from Parliament and Richmond Street on December 13, 2011 between 2:00 p.m. and 3:00 p.m.
Tokens prepared for LDA: ['light', 'camera', 'record', 'parliament', 'richmond', 'street', 'december']
Original Request: A copy of the MLS inspection report including all files and correspondence for {a specified address}.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'correspondence', 'specify', 'address}.']
Original Request: A copy of all documents related to the dog bite incident that occurred on August 26, 2012. The dog, lived at {a specified address}.
Tokens prepared for LDA: ['document', 'relate', 'incident', 'occur', 'august', 'specify', 'address}.']
Original Request: A copy of the dog bite records regarding the incident involving {an individual}. The incident occurred on August 20, 2011.
Tokens prepared for LDA: ['record', 'regard', 'incident', 'involve', 'individual}.', 'incident', 'occur', 'august']
Original Request: A copy of all 2012 records with respect to the fire code deficiencies at {a specified address} including the inspection results and all correspondence to the property owners regarding the fire code deficiencies.
Tokens prepared for LDA: ['record', 'respect', 'deficiency', 'specify', 'address', 'include', 'inspection', 'result', 'correspondence', 'property', 'owner', 'regard', 'deficiency']
Original Request: A copy of all records related to Toronto Water turning off the sprinkler system at {a specified address} on February 18, 2003, including all related record from February 18, 2003 to present.
Tokens prepared for LDA: ['record', 'relate', 'toronto', 'water', 'sprinkler', 'specify', 'address', 'february', 'include', 'relate', 'record', 'february', 'present']
Original Request: A copy of all building inspection records, reports, results, deficiency notices, etc. for {a specified address}. Including who the deficiency notices were sent to, where they were sent, and the dates they were issued.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'report', 'result', 'deficiency', 'notice', 'specify', 'address}.', 'include', 'deficiency', 'notice', 'issue']
Original Request: A copy of all Public Health reports or complaints regarding a business at {a specified address} since 1999. Specifically any complaints involving infectious diseases.
Tokens prepared for LDA: ['public', 'health', 'report', 'complaint', 'regard', 'business', 'specify', 'address', 'specifically', 'complaint', 'involve', 'infectious', 'disease']
Original Request: A copy of the building file for {a specified address}. File from 1989, file number 293452.
Tokens prepared for LDA: ['build', 'specify', 'address}.', '293452']
Original Request: A copy of the MLS orders issued to {a specified address}, including the investigation file no. 12 236927 PRS 00IV and the orders from August, September, and October 2012.
Tokens prepared for LDA: ['order', 'issue', 'specify', 'address', 'include', 'investigation', '236927', 'order', 'august', 'september', 'october']
Original Request: A copy of all by-law infractions and code violations against the building at {a specified address}, including any documents related to the business registered on the lower level unit 1.
Tokens prepared for LDA: ['infraction', 'violation', 'build', 'specify', 'address', 'include', 'document', 'relate', 'business', 'register', 'level']
Original Request: A copy of all building inspection and plumbing notes for {a specified address}. File No. 11164938 PLD BLD.
Tokens prepared for LDA: ['build', 'inspection', 'plumb', 'specify', 'address}.', '11164938']
Original Request: A copy of the names of the members on the evaluation committee for RFP No. 9119-12-7173 (Centerville Amusement Park), also any records related to the debriefing of this RFP.
Tokens prepared for LDA: ['member', 'evaluation', 'committee', 'centerville', 'amusement', 'record', 'relate', 'debrief']
Original Request: A copy of the building records for {a specified address}, including all permits and inspection reports. Specifically records related permit no. 08 205678 BLD 00NH/ 01NH/ 02NH. Records from 2008 to 2012.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'permit', 'inspection', 'report', 'specifically', 'record', 'relate', 'permit', '205678', '00nh/', '01nh/', 'record']
Original Request: A copy of the building records for {a specified address}, including all permits and inspection reports. Specifically records related permit no. 08 205682 BLD 00NH/ 01NH/ 02NH. Records from 2008 to 2012.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'permit', 'inspection', 'report', 'specifically', 'record', 'relate', 'permit', '205682', '00nh/', '01nh/', 'record']
Original Request: A copy of records related to the final decision concerning the Douglas tree on {a specified address} which was claimed to be hazardous to {a specified address}. The report may contain reasoning, diagrams, photos, descriptions, tests, etc.
Tokens prepared for LDA: ['record', 'relate', 'final', 'decision', 'concern', 'douglas', 'specify', 'address', 'claim', 'hazardous', 'specify', 'address}.', 'report', 'contain', 'reason', 'diagram', 'photo', 'description']
Original Request: A copy of records confirming and related to the City of Toronto hiring Nevcon Construction Ltd. to complete work at {a specified address} on or about March 16, 2011. Including contracts, insurance certificates, and information related to damage.
Tokens prepared for LDA: ['record', 'confirm', 'relate', 'toronto', 'nevcon', 'construction', 'complete', 'specify', 'address', 'march', 'include', 'contract', 'insurance', 'certificate', 'information', 'relate', 'damage']
Original Request: A copy of all reports, videos, resolutions and inspections related to complaints about the windows, structure, and/or mould at {a specified address}.
Tokens prepared for LDA: ['report', 'video', 'resolution', 'inspection', 'relate', 'complaint', 'window', 'structure', 'and/or', 'mould', 'specify', 'address}.']
Original Request: A copy of the estimated cost of Ledbury Park dog park dispute to the City of Toronto. This would include legal costs, salary costs, public meetings, construction, and any other expense related to resolving the issue.
Tokens prepared for LDA: ['estimate', 'ledbury', 'dispute', 'toronto', 'include', 'legal', 'salary', 'public', 'meeting', 'construction', 'expense', 'relate', 'resolve', 'issue']
Original Request: A copy of statistics on complaints about Toronto Condo buildings/highness, including a 10 year comparison and types (i.e. poor construction etc.). Also the total legal cost of condo related lawsuits to date.
Tokens prepared for LDA: ['statistic', 'complaint', 'toronto', 'condo', 'building', 'highness', 'include', 'comparison', 'construction', 'total', 'legal', 'condo', 'relate', 'lawsuit']
Original Request: A copy of records indicating the total amount paid to external law firms for legal representation of the Toronto Police Services Board in relation to the Good Class Action (regarding the G20 summit).
Tokens prepared for LDA: ['record', 'indicate', 'total', 'external', 'legal', 'representation', 'toronto', 'police', 'services', 'board', 'relation', 'class', 'action', 'regard', 'summit']
Original Request: A copy of the records related to the dog attack at {a specified address}. The incident occurred on September 25, 2012. File No.: 229-78.
Tokens prepared for LDA: ['record', 'relate', 'attack', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A list of the top 25 wastewater surcharge payers and how much do they pay per year.
Tokens prepared for LDA: ['wastewater', 'surcharge', 'payer']
Original Request: A list of the top 25 water consumers, how much water they consume per year and whether they pay the tier 1 or tier 2 water rate.
Tokens prepared for LDA: ['water', 'consumer', 'water', 'consume', 'water']
Original Request: A copy of the MLS violation file with respect to {a specified address}. The notice of violation was issued on November 25, 2004 and related to the height of the fence. Folder No.: 04 195126FEN 00 IV.
Tokens prepared for LDA: ['violation', 'respect', 'specify', 'address}.', 'notice', 'violation', 'issue', 'november', 'relate', 'height', 'fence', 'folder', '195126fen']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on Davenport Road. The incident occurred on January 30, 2007.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'davenport', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}, Willowdale. The incident occurred on April 27, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'willowdale', 'incident', 'occur', 'april']
Original Request: A copy of records that detail the legal costs paid to and hours worked by, lawyers of external law firms for legal representation of the TPSB in relation to the Good Class Action.
Tokens prepared for LDA: ['record', 'legal', 'lawyer', 'external', 'legal', 'representation', 'relation', 'class', 'action']
Original Request: A copy of the building records for {a specified address} from 1993 to present.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'present']
Original Request: A copy of any and all land transfer records which indicate the amounts of land transfer tax paid and or received on the transfer of {a specified address}. Records from January 2008 to present.
Tokens prepared for LDA: ['transfer', 'record', 'indicate', 'transfer', 'receive', 'transfer', 'specify', 'address}.', 'record', 'january', 'present']
Original Request: A copy of the video tape recording of the Design Review Panel's meeting regarding the St. Lawrence Market on November 1, 2012.
Tokens prepared for LDA: ['video', 'record', 'design', 'review', 'panel', 'regard', 'lawrence', 'market', 'november']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on September 22, 2012 at 3:00 a.m. File No. F12109122.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'september', 'f12109122']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 1, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the inspector's notes regarding {a specified address}.
Tokens prepared for LDA: ['inspector', 'regard', 'specify', 'address}.']
Original Request: A copy of all MLS records on file related to {a specified address}, including any complaint records.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'complaint', 'record']
Original Request: A copy of any and all reports or work orders which pertain to health and safety concerns at {a specified address}.
Tokens prepared for LDA: ['report', 'order', 'pertain', 'health', 'safety', 'concern', 'specify', 'address}.']
Original Request: A copy of all fire incident reports for {a specified address} from November 2011 to present, including the two known fire reports from February 6, 2012 (F12013912) and September 15, 2012.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address', 'november', 'present', 'include', 'report', 'february', 'f12013912', 'september']
Original Request: A copy of the MLS inspection report for {a specified address}, including records detailing why and when there was an inspection that led to a charge being added to the property tax account.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'include', 'record', 'inspection', 'charge', 'property', 'account']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on August 5, 2012. Fire Report No.: F12081882.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'august', 'report', 'f12081882']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on November 3, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the occupancy permit for the {a specified address} located at {a specified address} and/or copies of the building inspection reports, including any and all inspection reports relating to the construction of the {a specified address}.
Tokens prepared for LDA: ['occupancy', 'permit', 'specify', 'address', 'locate', 'specify', 'address', 'and/or', 'build', 'inspection', 'report', 'include', 'inspection', 'report', 'relate', 'construction', 'specify', 'address}.']
Original Request: A copy of any log notes, emails, records, or correspondence that details any threat against Mayor Ford from Dec. 1, 2010 to present, including the ones that did not require City Hall security to respond.
Tokens prepared for LDA: ['email', 'record', 'correspondence', 'threat', 'mayor', 'december', 'present', 'include', 'require', 'security', 'respond']
Original Request: A copy of the complaint filed with Public Health relating to vomit on a TTC subway train at the Yonge subway station in or around September 2012.
Tokens prepared for LDA: ['complaint', 'public', 'health', 'relate', 'vomit', 'subway', 'train', 'yonge', 'subway', 'station', 'september']
Original Request: A copy of the inspection notes regarding building and plumbing inspections for {a specified address}, including permit no.'s 12 225575 BLD 00SR and 12 225575 PLB 00PS.
Tokens prepared for LDA: ['inspection', 'regard', 'build', 'plumb', 'inspection', 'specify', 'address', 'include', 'permit', '225575', '225575']
Original Request: A copy of the Animal Service complaints for the following file no.'s: 12-013-501, A12-014-897, and A012-02201. Also the prosecution for failure to comply.
Tokens prepared for LDA: ['animal', 'service', 'complaint', 'follow', '02201', 'prosecution', 'failure', 'comply']
Original Request: A copy of the entire file no.: 12207908, {a specified address} including all dates and details of delayed prosecution for failure to comply with an order due to title search.
Tokens prepared for LDA: ['entire', '12207908', 'specify', 'address', 'include', 'delay', 'prosecution', 'failure', 'comply', 'order', 'title', 'search']
Original Request: A copy of any building records related to {a specified address}, including a history of the house (built in 1926) and reconstruction aspects of the history. Also any descriptions of the property and of any natural features by the previous home owners.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'include', 'history', 'house', 'build', 'reconstruction', 'aspect', 'history', 'description', 'property', 'natural', 'feature', 'previous', 'owner']
Original Request: A copy of the building permits for {a specified address}. Also the name of the builder for this property.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.', 'builder', 'property']
Original Request: A copy of the building inspection records for {a specified address} from September 6-7, 2012 (file no.: 03103231 BLD 00 FR), records related to the complaint about water damage and pipes in a party wall, and a report from an interpreter on Oct. 2, 2012.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'specify', 'address', 'september', '03103231', 'record', 'relate', 'complaint', 'water', 'damage', 'party', 'report', 'interpreter', 'october']
Original Request: A copy of all tree declarations for {a specified address} from 2006 to present.
Tokens prepared for LDA: ['declaration', 'specify', 'address', 'present']
Original Request: A copy of the lease between the City and "Princes Gates Hotel Limited Partnership", including the original letter of intent and the terms and conditions with any subsequent amendments to any documents.
Tokens prepared for LDA: ['lease', 'prince', 'gates', 'hotel', 'limited', 'partnership', 'include', 'original', 'letter', 'intent', 'condition', 'subsequent', 'amendment', 'document']
Original Request: A copy of the building permits for {a specified address}. Also the name of the builder for this property.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.', 'builder', 'property']
Original Request: A copy of the fire report for a motor vehicle accident on the Gardiner Expressway near Islington exit. The incident occurred on June 30, 2008. Fire Report No.: F08073670.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'gardiner', 'expressway', 'islington', 'incident', 'occur', 'report', 'f08073670']
Original Request: A copy of the fire report for a motor vehicle accident that occurred on April 22, 2012. Fire Report No.: F12043879.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'april', 'report', 'f12043879']
Original Request: A copy of the building inspection notes from the final inspection at {a specified address}. Permit No. 08 217221 BLD 00SR.
Tokens prepared for LDA: ['build', 'inspection', 'final', 'inspection', 'specify', 'address}.', 'permit', '217221']
Original Request: A copy of all by law inspection reports related to {a specified address}, including any records related to the property being a single family home or a 5 unit apartment.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'specify', 'address', 'include', 'record', 'relate', 'property', 'single', 'family', 'apartment']
Original Request: Any complaints made against {a specified address}. Records for the past 4 years.
Tokens prepared for LDA: ['complaint', 'specify', 'address}.', 'record']
Original Request: A copy of the Public Health for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'specify', 'address}.']
Original Request: A copy of the Public Health report for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address}.']
Original Request: A copy of the RESCU traffic cameras from September 9, 2012 between 18:30 and 19:30 for (1) Gardiner Expressway Camera 13, facing West and (2) Lakeshore Camera 10, facing East & West.
Tokens prepared for LDA: ['rescu', 'traffic', 'camera', 'september', '18:30', '19:30', 'gardiner', 'expressway', 'camera', 'lakeshore', 'camera']
Original Request: A copy of the building history for {a specified address}, including what the property was legally zoned as, what it was built as, and any permits related to the property.
Tokens prepared for LDA: ['build', 'history', 'specify', 'address', 'include', 'property', 'legally', 'build', 'permit', 'relate', 'property']
Original Request: A copy of the construction/architectural drawings related to {a specified address}, including current and past building orders, permits issued, and any other documents related to the property.
Tokens prepared for LDA: ['construction', 'architectural', 'drawing', 'relate', 'specify', 'address', 'include', 'current', 'build', 'order', 'permit', 'issue', 'document', 'relate', 'property']
Original Request: A copy of all architechtural information, detailed plans, floor plans, history, current use of building type (i.e. public use) regarding Air Canada Centre & the old city delivery post building and the Old Gas Consumer Company.
Tokens prepared for LDA: ['architechtural', 'information', 'floor', 'history', 'current', 'build', 'public', 'regard', 'canada', 'centre', 'delivery', 'build', 'consumer', 'company']
Original Request: A copy of the Public Health records related to the food cart vending license and cart inspections for {an individual}. Licence No.: V27-3954896.
Tokens prepared for LDA: ['public', 'health', 'record', 'relate', 'license', 'inspection', 'individual}.', 'licence', '3954896']
Original Request: A copy of any report or recommendation made by the arborist retained by {a specified address} with respect to trees affected by the dwelling proposed to be constructed on that property. Records from 2012.
Tokens prepared for LDA: ['report', 'recommendation', 'arborist', 'retain', 'specify', 'address', 'respect', 'affect', 'dwell', 'propose', 'construct', 'property', 'record']
Original Request: A copy of all inspection reports and permits related to the construction at {a specified address}. Records from 2005 to present.
Tokens prepared for LDA: ['inspection', 'report', 'permit', 'relate', 'construction', 'specify', 'address}.', 'record', 'present']
Original Request: A copy of the Metropolitan Toronto Correspondence subject files, CTA Fonds 220, Series 11, Metro Toronto Chair. Including the following box no.'s: 103164, 103180, and 103181.
Tokens prepared for LDA: ['metropolitan', 'toronto', 'correspondence', 'subject', 'fonds', 'series', 'metro', 'toronto', 'chair', 'include', 'follow', '103164', '103180', '103181']
Original Request: A copy of any outstanding fire violations, fire work orders, any clearance certificates regarding fire separations, and a history of fire related work orders, fines and violations regarding fire separations for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'violation', 'order', 'clearance', 'certificate', 'regard', 'separation', 'history', 'relate', 'order', 'violation', 'regard', 'separation', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 5, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for the incident that occurred on November 4, 2012. Fire Report No.: F12108851 at {a specified address}.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'november', 'report', 'f12108851', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Scarborough. Fire Report No.: F12109247.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'report', 'f12109247']
Original Request: A copy of the fire report for {a specified addresst}. The incident occurred on November 12, 2012.
Tokens prepared for LDA: ['report', 'specify', 'addresst}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on November 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of all records of contract or agreement with the City and the entity identified as 3239501 Canada Ltd. under the Rubrique Waste Management or Bio Waste disposal.
Tokens prepared for LDA: ['record', 'contract', 'agreement', 'entity', 'identify', '3239501', 'canada', 'rubrique', 'waste', 'management', 'waste', 'disposal']
Original Request: A copy of the building records for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address}.']
Original Request: A copy of all work orders or MLS violations against {a specified address}.
Tokens prepared for LDA: ['order', 'violation', 'specify', 'address}.']
Original Request: A copy of notes made by City Inspector Tejan Alleyne for {a specified address} Toronto. The notes were made on Oct. 30, 2012 relating to the heat in the building.
Tokens prepared for LDA: ['inspector', 'tejan', 'alleyne', 'specify', 'address', 'toronto', 'october', 'relate', 'build']
Original Request: Details of visit by Mayor Ford to {a specified address} on the week of Oct. 15, 2012; a list of all the attendees for the same visit. Also any record of fire code violations filed against {a specified address} from Aug. 31, 2012 to present.
Tokens prepared for LDA: ['details', 'visit', 'mayor', 'specify', 'address', 'october', 'attendee', 'visit', 'record', 'violation', 'specify', 'address', 'august', 'present']
Original Request: A copy of any business license information, including applications if possible, for {a specified address}, located at {a specified address} and {a specified address}, Toronto, between the years 1995 to 2008.
Tokens prepared for LDA: ['business', 'license', 'information', 'include', 'application', 'possible', 'specify', 'address', 'locate', 'specify', 'address', 'specify', 'address', 'toronto']
Original Request: Record of any fire code charges brought against {an individual}, landlord of {a specified address} between Aug. 31, 2012 and Oct. 31 ,2012.
Tokens prepared for LDA: ['record', 'charge', 'bring', 'individual', 'landlord', 'specify', 'address', 'august', 'october']
Original Request: A copy of all permits and drawings for {a specified address} for construction in 2002, including any documents and reports related to the permits.
Tokens prepared for LDA: ['permit', 'drawing', 'specify', 'address', 'construction', 'include', 'document', 'report', 'relate', 'permit']
Original Request: A list including the total number of responses, type of response, and Fire Hall or EMS Station that responded to the following 6 apartment building addresses: {a specified address}.
Tokens prepared for LDA: ['include', 'total', 'response', 'response', 'station', 'respond', 'follow', 'apartment', 'build', 'address', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on June 12, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on October 14, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 11, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for a motor vehicle accident that occurred at Jane Street and Courage Avenue. The incident occurred on October 6, 2011 at approximately 7:45 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'street', 'courage', 'avenue', 'incident', 'occur', 'october', 'approximately']
Original Request: A copy of building permits for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.']
Original Request: A copy of any building inspection reports for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address}.']
Original Request: A copy of all MLS complaint files from May 1, 2007 to present related to {a specified address}, including the complaint record and any associated records or files.
Tokens prepared for LDA: ['complaint', 'present', 'relate', 'specify', 'address', 'include', 'complaint', 'record', 'associate', 'record']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 27, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 8, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of all documentation relating to service calls, drain backups and repairs done on {a specified address} between August 1, 2011 and September 30, 2012, including dates and times the City was on the property.
Tokens prepared for LDA: ['documentation', 'relate', 'service', 'drain', 'backup', 'repair', 'specify', 'address', 'august', 'september', 'include', 'property']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on July 27, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur']
Original Request: A copy of the decision related to a tree at {a specified address}, Scarborough. The tree was damaged on October 30, 2012 during a storm and the City advised the tree was on private property.
Tokens prepared for LDA: ['decision', 'relate', 'specify', 'address', 'scarborough', 'damage', 'october', 'storm', 'advise', 'private', 'property']
Original Request: A copy of the building inspection file no. 12-264556 and all inspection files pertaining to {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', '264556', 'inspection', 'pertain', 'specify', 'address}.']
Original Request: A copy of all inspection reports for {a specified address} from Building, Public Health and Fire Services. All records from October 2011 to December 2012.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'building', 'public', 'health', 'services', 'record', 'october', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 16, 2012. Fire Report No. F12112205.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november', 'report', 'f12112205']
Original Request: A copy of the fire inspection report for {a specified address}. The inspection occurred on November 2, 2012.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address}.', 'inspection', 'occur', 'november']
Original Request: A copy of the file no. I.R.B 12900 Summons 42014 Conviction May 31, 2012. The incident occurred at {a specified address}.
Tokens prepared for LDA: ['i.r.b', '12900', 'summons', '42014', 'conviction', 'incident', 'occur', 'specify', 'address}.']
Original Request: A copy of all fire inspection reports for {a specified address} from January 2002 to present.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'january', 'present']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on June 26, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of all business licenses held by {an individual} for the period of October 26, 2002 to October 26, 2012.
Tokens prepared for LDA: ['business', 'license', 'individual', 'period', 'october', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on October 21, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 21, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on Novemver 17, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'novemver']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on June 30, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire inspection records for {a specified address}. The inspection occurred after the November 16th fire (2012).
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address}.', 'inspection', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of any complaints, work orders, and/or by-law violations, property use records, and building permits for {a specified address}.
Tokens prepared for LDA: ['complaint', 'order', 'and/or', 'violation', 'property', 'record', 'build', 'permit', 'specify', 'address}.']
Original Request: A copy of any complaints, work orders, and/or by-law violations, property use records, and building permits for {a specified address}, Etobicoke.
Tokens prepared for LDA: ['complaint', 'order', 'and/or', 'violation', 'property', 'record', 'build', 'permit', 'specify', 'address', 'etobicoke']
Original Request: A copy of the report related to tree branches covering a stop sign at Greenwood Avenue and Plains Road (south east corner). The report was completed around August 18 or 19, 2012.
Tokens prepared for LDA: ['report', 'relate', 'branch', 'cover', 'greenwood', 'avenue', 'plain', 'south', 'corner', 'report', 'complete', 'august']
Original Request: A copy of the MLS inspection report from January or February 2007 regarding carbon monoxide from the garage entering {a specified address}, including the orders to repair/install.
Tokens prepared for LDA: ['inspection', 'report', 'january', 'february', 'regard', 'carbon', 'monoxide', 'garage', 'enter', 'specify', 'address', 'include', 'order', 'repair', 'install']
Original Request: A copy of all recommendations, findings, letters and results from Toronto Fire Prevention for all fire drills and inspections of Lord Lansdowne Public School from October 2012 to November 26, 2012.
Tokens prepared for LDA: ['recommendation', 'finding', 'letter', 'result', 'toronto', 'prevention', 'drill', 'inspection', 'lansdowne', 'public', 'school', 'october', 'november']
Original Request: A copy of the Beaches Residents Association of Toronto ("BRAT") heritage application to designation 1960 Queen Street East as a heritage building.
Tokens prepared for LDA: ['beach', 'resident', 'association', 'toronto', 'heritage', 'application', 'designation', 'queen', 'street', 'heritage', 'build']
Original Request: A copy of any log notes or details of any incident or threat against Mayor Rob Ford that required security to respond and explanation of what happened and how it was resolved. Records from December 1, 2010 to present.
Tokens prepared for LDA: ['incident', 'threat', 'mayor', 'require', 'security', 'respond', 'explanation', 'happen', 'resolve', 'record', 'december', 'present']
Original Request: An electronic copy of the records included in the City's motor vehicle collision records. Requester is looking for the same information as released under FOI #2012-01401.
Tokens prepared for LDA: ['electronic', 'record', 'include', 'motor', 'vehicle', 'collision', 'record', 'requester', 'information', 'release', '01401']
Original Request: A copy of all emails sent by an individual between July 1, 2011 and November 30, 2011. Requester is looking for the same information as released under FOI #2012-01393.
Tokens prepared for LDA: ['email', 'individual', 'november', 'requester', 'information', 'release', '01393']
Original Request: A copy of any records related to a marijuana grow op property at {a specified address} after the police raided the house on March 31, 2011, including any inspection records or records indicating the condition of the premises.
Tokens prepared for LDA: ['record', 'relate', 'marijuana', 'property', 'specify', 'address', 'police', 'house', 'march', 'include', 'inspection', 'record', 'record', 'indicate', 'condition', 'premise']
Original Request: A copy of any information, including statistical data, pertaining to traffic flow and traffic conditions on the Don Valley Parkway between Eglinton Avenue East in a northbound direction and Wynford Drive on Sundays during December 2011 between 7 and 8 p.m
Tokens prepared for LDA: ['information', 'include', 'statistical', 'datum', 'pertain', 'traffic', 'traffic', 'condition', 'valley', 'parkway', 'eglinton', 'avenue', 'northbound', 'direction', 'wynford', 'drive', 'sunday', 'december']
Original Request: A copy of the permit records for {a specified address}, including any roof top sign records, waivers, by-law information, etc.
Tokens prepared for LDA: ['permit', 'record', 'specify', 'address', 'include', 'record', 'waiver', 'information']
Original Request: A copy of the number of parking tickets issued in the last 6 months for "Park 3M of Fire Hydrant" near {a specified address}.
Tokens prepared for LDA: ['ticket', 'issue', 'month', 'hydrant', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, York. The incident occurred on November 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 8, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 21, 2012. Fire Report No. F12043499.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april', 'report', 'f12043499']
Original Request: A copy of the building permit file no. 90-01014 for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', '01014', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 14, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 14, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of any existing policy or procedure documents outlining the mandatory mid-program wading pool draining times at wading pools in Toronto parks and any reasons given internally to staff for only draining while children are kept out of wading pools.
Tokens prepared for LDA: ['exist', 'policy', 'procedure', 'document', 'outline', 'mandatory', 'program', 'drain', 'toronto', 'reason', 'internally', 'staff', 'drain', 'child']
Original Request: A copy of the fire report for a motor vehicle accident at Brentcliffe and Eglinton Avenue. The incident occurred on October 20, 2012.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'brentcliffe', 'eglinton', 'avenue', 'incident', 'occur', 'october']
Original Request: A copy of any records related to the zoning of {a specified address} from 1985 to present or if any changes had been made after 1985.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'present', 'change']
Original Request: A copy of any and all information from Toronto Public Health regarding {a specified address}, including any and all notes on file, inspections and complaints since November 24, 2004.
Tokens prepared for LDA: ['information', 'toronto', 'public', 'health', 'regard', 'specify', 'address', 'include', 'inspection', 'complaint', 'november']
Original Request: A copy of all sign permits for {a specified address}.
Tokens prepared for LDA: ['permit', 'specify', 'address}.']
Original Request: A copy of the IBI Group interim Gardiner Expressway Assessment Report dated September 10, 2012 (referenced in the October 19, 2012 edition of the Toronto Star) and a copy of the final report.
Tokens prepared for LDA: ['group', 'interim', 'gardiner', 'expressway', 'assessment', 'report', 'september', 'reference', 'october', 'edition', 'toronto', 'final', 'report']
Original Request: A copy of the fire department report regarding the inspection of {a specified address}, Scarborough.
Tokens prepared for LDA: ['department', 'report', 'regard', 'inspection', 'specify', 'address', 'scarborough']
Original Request: A copy of the fire department report regarding the inspection of {a specified address}, Scarborough.
Tokens prepared for LDA: ['department', 'report', 'regard', 'inspection', 'specify', 'address', 'scarborough']
Original Request: A copy of all reports and complaint records for {a specified address} related to heat issues. The issues were ongoing but the issue was brought to the City's attention in 2012.
Tokens prepared for LDA: ['report', 'complaint', 'record', 'specify', 'address', 'relate', 'issue', 'issue', 'ongoing', 'issue', 'bring', 'attention']
Original Request: A copy of all environmental reports related to Closed Ash Landfill. There is currently no municipal address for this property however it is located at Keele Street and Ingram Drive. Associated with {a specified address}.
Tokens prepared for LDA: ['environmental', 'report', 'relate', 'close', 'landfill', 'currently', 'municipal', 'address', 'property', 'locate', 'keele', 'street', 'ingram', 'drive', 'associate', 'specify', 'address}.']
Original Request: A copy of the dog bite records related to an incident at {a specified address}. The incident occurred on August 5, 2012.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of all documents related to building permit application no.'s: 04 133051 BLD 01 SR and 04 133051 BLD 00 SR for {a specified address}.
Tokens prepared for LDA: ['document', 'relate', 'build', 'permit', 'application', '133051', '133051', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 6, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: Information on the amount of taxes on both a roof sign and a wall sign relating to {a specified address}, since the new sign by-law came into effect.
Tokens prepared for LDA: ['information', 'taxis', 'relate', 'specify', 'address', 'effect']
Original Request: A copy of stop work order, code violations, essentially reasons why the renovation/rebuilding of {a specified address} was stopped by the City.
Tokens prepared for LDA: ['order', 'violation', 'essentially', 'reason', 'renovation', 'rebuild', 'specify', 'address']
Original Request: A copy of inspection report from Public Health for {a specified address}. The inspection was done on Feb. 2, 2012.
Tokens prepared for LDA: ['inspection', 'report', 'public', 'health', 'specify', 'address}.', 'inspection', 'february']
Original Request: A copy of records related to the lawsuit between Rob Ford v.s. the Compliance Audit Committee, including the amount of hours spent, the court/trial dates attended, the total amount of money spent and if the City sought outside legal counsel.
Tokens prepared for LDA: ['record', 'relate', 'lawsuit', 'compliance', 'audit', 'committee', 'include', 'spend', 'court', 'trial', 'attend', 'total', 'money', 'spend', 'outside', 'legal', 'counsel']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 14, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of fire incident report for {a specified address}. The incident occurred on November 29, 2012.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of report from the Auditor General saying that many of the fraud and waste complaints were "referred to divisions" for investigation, and copies of reports produced by divisional management into fraud and waste complaints that were substantiated.
Tokens prepared for LDA: ['report', 'auditor', 'general', 'fraud', 'waste', 'complaint', 'refer', 'division', 'investigation', 'report', 'produce', 'divisional', 'management', 'fraud', 'waste', 'complaint', 'substantiate']
Original Request: A copy of sign permits for {a specified address}.
Tokens prepared for LDA: ['permit', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 1, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on November 4, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'november']
Original Request: A copy of the results or report of McCormick Rankin Corporation (MRC) ground penetrating radar testing of the Gardiner Expressway completed in 2012.
Tokens prepared for LDA: ['result', 'report', 'mccormick', 'rankin', 'corporation', 'grind', 'penetrate', 'radar', 'gardiner', 'expressway', 'complete']
Original Request: A copy of a list of itemized expenditures, supported by receipts, showing how the expense of $1838.87 was incurred by Councillor Mark Grimes during a trip to Guadalajara, Mexico.
Tokens prepared for LDA: ['itemize', 'expenditure', 'support', 'receipt', 'expense', '1838.87', 'incur', 'councillor', 'grime', 'guadalajara', 'mexico']
Original Request: A copy of letter of objection in response to notice of demolition of property at {}. Record search from Sep. 16, 2016 to present.
Tokens prepared for LDA: ['letter', 'objection', 'response', 'notice', 'demolition', 'property', 'record', 'search', 'september', 'present']
Original Request: Record of any existing orders issued to {.} to: any investigations with respect to common areas and individual units, orders to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'investigation', 'respect', 'common', 'individual', 'order', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage']
Original Request: A copy of complete copy of Toronto Fire, Toronto Public Health and Toronto Building files in relation to for {} from as far back as possible to present. Records search from January 2006 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'toronto', 'public', 'health', 'toronto', 'building', 'relation', 'possible', 'present', 'record', 'search', 'january', 'present']
Original Request: A copy of complete copy of Toronto Fire, Toronto Public Health and Toronto Building files in relation to for {} from January 2006 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'toronto', 'public', 'health', 'toronto', 'building', 'relation', 'january', 'present']
Original Request: A copy of complete copy of Toronto Fire, Toronto Public Health and Toronto Building files in relation to for {.} from January 2006 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'toronto', 'public', 'health', 'toronto', 'building', 'relation', 'january', 'present']
Original Request: Any information on Wastewater Treatment Plants that concern the levels of micro beads found in the water supply that feeds the city of Toronto. This includes but is not limited to, briefing notes, memorandums, reports, etc.
Tokens prepared for LDA: ['information', 'wastewater', 'treatment', 'plant', 'concern', 'level', 'micro', 'water', 'supply', 'toronto', 'include', 'limit', 'brief', 'memorandum', 'report']
Original Request: A copy of the 20 year lease agreement entered into by the City and Liberty Entertainment Group, to improve and operate the main grounds of Casa Loma. Record search from Nov. 1, 2013 to present.
Tokens prepared for LDA: ['lease', 'agreement', 'enter', 'liberty', 'entertainment', 'group', 'improve', 'operate', 'ground', 'record', 'search', 'november', 'present']
Original Request: A complete copy of building file for {} from Jan. 1, 1940 to Jan. 1, 2016.
Tokens prepared for LDA: ['complete', 'build', 'january', 'january']
Original Request: In CD format: a current complete list of all taxicab license owners licensed by the City; in numerical order by taxicab plate number. The list should contain the following data: Taxicab Plate #, the Municipal License #, Licensee's Last Name etc.
Tokens prepared for LDA: ['format', 'current', 'complete', 'taxicab', 'license', 'owner', 'license', 'numerical', 'order', 'taxicab', 'plate', 'contain', 'follow', 'datum', 'taxicab', 'plate', 'municipal', 'license', 'licensee']
Original Request: Complete copies of building, planning and urban forestry file documents in relation to {}. Record search Jan. 1, 2015 to present.
Tokens prepared for LDA: ['complete', 'build', 'urban', 'forestry', 'document', 'relation', 'record', 'search', 'january', 'present']
Original Request: All building permits issued to {} including, by-law violations and conversion of use documents.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'include', 'violation', 'conversion', 'document']
Original Request: Following a gas main strike at the intersection of Bay Street and Wellesley Street on October 16, 2014, the following documents are requested: 1. All Toronto Water work orders, service reports, investigation reports, photographs, videos etc.
Tokens prepared for LDA: ['following', 'strike', 'intersection', 'street', 'wellesley', 'street', 'october', 'follow', 'document', 'request', 'toronto', 'water', 'order', 'service', 'report', 'investigation', 'report', 'photograph', 'video']
Original Request: All available as-built records (service cards) of storm and sanitary sewers, and watermains, from the City of Toronto for {}.
Tokens prepared for LDA: ['available', 'build', 'record', 'service', 'storm', 'sanitary', 'sewer', 'watermains', 'toronto']
Original Request: All available as-built records (service cards) of storm and sanitary sewers, and watermains, from the City of Toronto for {}.
Tokens prepared for LDA: ['available', 'build', 'record', 'service', 'storm', 'sanitary', 'sewer', 'watermains', 'toronto']
Original Request: A copy of complaint records against {} with regards to the conditions on the property being in contravention of City by-law - litter and Dumping of refuse Accumulation of Garbage. Ref. # file # 16228781PRS00IR.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'condition', 'property', 'contravention', 'litter', 'dumping', 'refuse', 'accumulation', 'garbage', '16228781prs00ir']
Original Request: Copies of documented Animal Services responses to complaints made with regards to ongoing issues with dog at {}. Ref. No.: Apr. 14, 2016 - 39670382; Apt. 29, 2016 - 3992942; May 3, 2016 - 40190584 etc.
Tokens prepared for LDA: ['copy', 'document', 'animal', 'services', 'response', 'complaint', 'regard', 'ongoing', 'issue', 'april', '39670382', '3992942', '40190584']
Original Request: Record of all building permits, notices of violations, work orders and inspection reports/records for {}. Record search from 1920 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'notice', 'violation', 'order', 'inspection', 'report', 'record', 'record', 'search', 'present']
Original Request: All available as-built records (service cards) of storm and sanitary sewers, and watermains, from the City of Toronto for {}.
Tokens prepared for LDA: ['available', 'build', 'record', 'service', 'storm', 'sanitary', 'sewer', 'watermains', 'toronto']
Original Request: A complete copy of property standards file #12 162762 PRS 00 IR in relation to flooding at {} in April 2012.
Tokens prepared for LDA: ['complete', 'property', 'standard', '162762', 'relation', 'flood', 'april']
Original Request: A copy of ML&S inspection report following investigation at {} on March 17, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'march']
Original Request: Following injury sustained due to a fall caused by a hole in the roadway at or near the pedestrian crosswalk located at the northwest comer of the intersection of Bayview Avenue and Newton Drive in Toronto on July 27, 2013 etc.
Tokens prepared for LDA: ['following', 'injury', 'sustain', 'cause', 'roadway', 'pedestrian', 'crosswalk', 'locate', 'northwest', 'comer', 'intersection', 'bayview', 'avenue', 'newton', 'drive', 'toronto']
Original Request: All building permits issued to {}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'record', 'search', 'possible', 'present']
Original Request: The number of complaints received, the specific reason(s) of the complaint and time they called into the Toronto 311 call centre with respect to the installation and operation of the Bloor Street bike lanes pilot project. The number etc.
Tokens prepared for LDA: ['complaint', 'receive', 'specific', 'reason(s', 'complaint', 'toronto', 'centre', 'respect', 'installation', 'operation', 'bloor', 'street', 'pilot', 'project']
Original Request: All recreational expenditures, financial records regarding the 'Parks and Recreations' department's sub-committee, the 'Toronto Skateboarding Committee (T.S.C.). A master list of project costs, a list of possible financial contributions etc.
Tokens prepared for LDA: ['recreational', 'expenditure', 'financial', 'record', 'regard', 'parks', 'recreation', 'department', 'committee', 'toronto', 'skateboarding', 'committee', 't.s.c.', 'master', 'project', 'possible', 'financial', 'contribution']
Original Request: A copy of Public Health report following an investigation involving a German Shepherd dog at {t} on Jul. 14, 2016. Dog owner is {}.
Tokens prepared for LDA: ['public', 'health', 'report', 'follow', 'investigation', 'involve', 'german', 'shepherd', 'owner']
Original Request: A copy of fire inspection report for {} following investigation between Aug. 1, 2016 and Oct. 2, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'august', 'october']
Original Request: A copy of tree permit issued to {} in Feb. 2016.
Tokens prepared for LDA: ['permit', 'issue', 'february']
Original Request: Record of all property standards complaints and/or open cases with respect to {}.
Tokens prepared for LDA: ['record', 'property', 'standard', 'complaint', 'and/or', 'respect']
Original Request: All minutes, agendas and notes related to the Executive Project Steering Committee for Moss Park Redevelopment. Record search from Jul. 1, 2015 to Oct. 7, 2016.
Tokens prepared for LDA: ['minute', 'agenda', 'relate', 'executive', 'project', 'steering', 'committee', 'redevelopment', 'record', 'search', 'october']
Original Request: 1. Staff correspondence including e-mails and notes relating to the departure of Toronto Fire Chief Jim Sales. 2. Staff correspondence, documentation e-mails or notes relating to Mr. Sales' contract and/or severance etc.
Tokens prepared for LDA: ['staff', 'correspondence', 'include', 'relate', 'departure', 'toronto', 'chief', 'sales', 'staff', 'correspondence', 'documentation', 'relate', 'sales', 'contract', 'and/or', 'severance']
Original Request: Copies of inspector notes regarding HVAC for permit# 13 228381 HVA in relation to {}; inspector: Dan Bogden.
Tokens prepared for LDA: ['copy', 'inspector', 'regard', 'permit', '228381', 'relation', 'inspector', 'bogden']
Original Request: Record of CCTV camera footage (from all directions) of the intersections Bay St. and Bloor St. W. on Oct. 4, 2016 between 5:15 PM and 5:45 PM.
Tokens prepared for LDA: ['record', 'camera', 'footage', 'direction', 'intersection', 'bloor', 'october']
Original Request: All property standards records of complaints against property located {} from Apr. 1, 2011 to Jan. 1, 2015.
Tokens prepared for LDA: ['property', 'standard', 'record', 'complaint', 'property', 'locate', 'april', 'january']
Original Request: All information related to dog bite incident complaint on Jun. 27, 2016, file # 16-030180.
Tokens prepared for LDA: ['information', 'relate', 'incident', 'complaint', '030180']
Original Request: Access all plans and drawings related to application # 15 183227 BLD 00 BA, located at {}.
Tokens prepared for LDA: ['access', 'drawing', 'relate', 'application', '183227', 'locate']
Original Request: A complete copy of Urban Forestry file for {} from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['complete', 'urban', 'forestry', 'january', 'present']
Original Request: Records pertaining to any of the following types of financial obligations by the City of Toronto: 1. Uncashed checks 2. Unclaimed checks and funds 3. Unclaimed tax refunds and bonds 4. Stale Dated checks etc.
Tokens prepared for LDA: ['record', 'pertain', 'follow', 'financial', 'obligation', 'toronto', 'uncashed', 'check', 'unclaimed', 'check', 'unclaimed', 'refund', 'stale', 'date', 'check']
Original Request: All documents pertaining to Ontario Fire Code retrofit compliance decision for {}. Decision letter dated Mar. 25, 1996. Record search from Jan. 1, 1996 to Dec. 31, 1999.
Tokens prepared for LDA: ['document', 'pertain', 'ontario', 'retrofit', 'compliance', 'decision', 'decision', 'letter', 'march', 'record', 'search', 'january', 'december']
Original Request: All documents pertaining to Ontario Fire Code retrofit compliance decision for {}. Decision letter dated Mar. 25, 1996. Record search from Jan. 1, 1996 to Dec. 31, 1999.
Tokens prepared for LDA: ['document', 'pertain', 'ontario', 'retrofit', 'compliance', 'decision', 'decision', 'letter', 'march', 'record', 'search', 'january', 'december']
Original Request: All e-mails and written communications that reference any of the following words in the subject or body since Jan. 1, 2016 to present: TTC Operating Budget TTC Capital Budget TTC 2016 Budget Toronto Transit Commission Budget etc.
Tokens prepared for LDA: ['write', 'communication', 'reference', 'follow', 'subject', 'january', 'present', 'operate', 'budget', 'capital', 'budget', 'budget', 'toronto', 'transit', 'commission', 'budget']
Original Request: All inspections reports for {}. Record search from Oct. 7, 2016 to Oct. 30, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'october', 'october']
Original Request: A copy of Animal Services investigative reports associated with activity # A16-017522, bite activity # B16-000310; following dog attack incident on May 10, 2016.
Tokens prepared for LDA: ['animal', 'services', 'investigative', 'report', 'associate', 'activity', '017522', 'activity', '000310', 'follow', 'attack', 'incident']
Original Request: All building permits and work orders related to {} including violations issued against the property. Record search from as far back as possible to present.
Tokens prepared for LDA: ['build', 'permit', 'order', 'relate', 'include', 'violation', 'issue', 'property', 'record', 'search', 'possible', 'present']
Original Request: A copy of soil report and test for establishing building footing and bearing for property located at {.}. Record search from Jul. 1, 2014 to Aug. 21, 2014.
Tokens prepared for LDA: ['report', 'establish', 'build', 'property', 'locate', 'record', 'search', 'august']
Original Request: In excel format: the number of tenant complaints to the Toronto Community Housing Corporation involving the State of Good Repair program made between December 2014 and October 1, 2016. Details should be grouped by the number of complaints by community etc
Tokens prepared for LDA: ['excel', 'format', 'tenant', 'complaint', 'toronto', 'community', 'housing', 'corporation', 'involve', 'state', 'repair', 'program', 'december', 'october', 'details', 'group', 'complaint', 'community']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermaince etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermaince']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {.} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: Copies of Toronto Water maintenance records related to watermain break which affected the property of {} from Jan. 8, 2004 to Jan. 9, 2014. 1. All maintenance and inspection records related to the broken watermain etc.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'maintenance', 'record', 'relate', 'watermain', 'break', 'affect', 'property', 'january', 'january', 'maintenance', 'inspection', 'record', 'relate', 'break', 'watermain']
Original Request: 1. All records relating to blocked sanitary sewer line at the Queensway on January 23, 2012; reference to a No. 1341111. 2. A full copy of the document entitled - Trunk Sewer Inspection, Condition Assessment and Provision of Renewal Recommendations etc.
Tokens prepared for LDA: ['record', 'relate', 'block', 'sanitary', 'sewer', 'queensway', 'january', 'reference', '1341111', 'document', 'entitle', 'trunk', 'sewer', 'inspection', 'condition', 'assessment', 'provision', 'renewal', 'recommendation']
Original Request: All property standards orders issued to {} in relation to structure in the rear of the yard. Record search from Jan. 1, 2013 to Jan. 1, 2015.
Tokens prepared for LDA: ['property', 'standard', 'order', 'issue', 'relation', 'structure', 'record', 'search', 'january', 'january']
Original Request: In reference to GM14.10 requested is a complete copy of City Consent - Assignment and Sub-Lease by Tuggs Incorporated to Cara Operations Limited of 1681 Lake Shore Boulevard East.
Tokens prepared for LDA: ['reference', 'gm14.10', 'request', 'complete', 'consent', 'assignment', 'lease', 'tuggs', 'incorporate', 'operations', 'limited', 'shore', 'boulevard']
Original Request: Records for {} (last known address: {.}, Toronto, Ontario): Renovator License; Plumbing License; Electrician License; Certificate of Apprenticeship from Ontario; Certificate of Qualifications.
Tokens prepared for LDA: ['record', 'address', 'toronto', 'ontario', 'renovator', 'license', 'plumbing', 'license', 'electrician', 'license', 'certificate', 'apprenticeship', 'ontario', 'certificate', 'qualification']
Original Request: A complete copy of building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: A complete copy of investigative records related to the height of hedges on the property of {} from Jan. 1, 2006 to Jan. 1, 2016.
Tokens prepared for LDA: ['complete', 'investigative', 'record', 'relate', 'height', 'hedge', 'property', 'january', 'january']
Original Request: A copy of any complaint record pertaining to injuries or winter maintenance with respect to Blandford St. for the month of Jan. 1, 2014.
Tokens prepared for LDA: ['complaint', 'record', 'pertain', 'injury', 'winter', 'maintenance', 'respect', 'blandford', 'month', 'january']
Original Request: A copy of ML&S investigative file following dog bite incident involving {} who was attacked on Jun. 25, 2016. Ref. # A16-024665.
Tokens prepared for LDA: ['investigative', 'follow', 'incident', 'involve', 'attack', '024665']
Original Request: Any records of agreement/arrangements between the City of Toronto and the Catholic School Board regarding the use of the Dufferin Grove Park sports fields by St. Mary's Catholic School.
Tokens prepared for LDA: ['record', 'agreement', 'arrangement', 'toronto', 'catholic', 'school', 'board', 'regard', 'dufferin', 'grove', 'sport', 'field', 'catholic', 'school']
Original Request: All building permit information for {} formerly known as {} and {.}.
Tokens prepared for LDA: ['build', 'permit', 'information']
Original Request: All building documents related to the construction of {} between 2003 and 2007. Specifically those records related to file # 00-128828 and 04-113859.
Tokens prepared for LDA: ['build', 'document', 'relate', 'construction', 'specifically', 'record', 'relate', '128828', '113859']
Original Request: A copy complete copy of ML&S file in relation to dog bite incident involving {} - the victim, on Jun. 17, 2010 at Smythe Park including any similar historical records on the dog and its owner.
Tokens prepared for LDA: ['complete', 'relation', 'incident', 'involve', 'victim', 'smythe', 'include', 'similar', 'historical', 'record', 'owner']
Original Request: A copy of submission in response to request for proposal RFP 0203-13-3140 dated Oct. 18, 2013 - for the provision of Custodial Services at various City locations and building types throughout the City of Toronto.
Tokens prepared for LDA: ['submission', 'response', 'request', 'proposal', 'october', 'provision', 'custodial', 'services', 'various', 'location', 'build', 'toronto']
Original Request: A copy of Public Health inspection report for {} from July 1, 2016 to Aug. 25,2016. Assigned inspector: Lall Singh.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'august', '25,2016', 'assign', 'inspector', 'singh']
Original Request: The total number of ticket (Parking infraction notice) offences notices issued at Beverley St., (defined as "near" 106 Beverley between the loading signs located at the above noted address) between the dates of Feb. 26, 2016 etc.
Tokens prepared for LDA: ['total', 'ticket', 'parking', 'infraction', 'notice', 'offence', 'notice', 'issue', 'beverley', 'define', 'beverley', 'locate', 'address', 'february']
Original Request: All records and information on the dog incident that occurred on May 23, 2014 at around {}, Scarborough, including information on the dogs owed by {names removed}.
Tokens prepared for LDA: ['record', 'information', 'incident', 'occur', 'scarborough', 'include', 'information', 'removed}.']
Original Request: All records possible regarding noise complaints from air conditioner units at {}, including City Inspector's report under file # 16 18849500IR.
Tokens prepared for LDA: ['record', 'possible', 'regard', 'noise', 'complaint', 'conditioner', 'include', 'inspector', 'report', '18849500ir']
Original Request: A copy of Fire Dept.'s notes, investigation report, any and all TV lateral tapes/video recordings and photographs, witness statements, relating to the fire that occurred on Sept. 19, 2014 at {}
Tokens prepared for LDA: ['investigation', 'report', 'lateral', 'video', 'recording', 'photograph', 'witness', 'statement', 'relate', 'occur', 'september']
Original Request: A complete copy of all documentation relating to applications and renewals for vendor and/or sales license permits applied for and/or issued to {}.
Tokens prepared for LDA: ['complete', 'documentation', 'relate', 'application', 'renewal', 'vendor', 'and/or', 'license', 'permit', 'apply', 'and/or', 'issue']
Original Request: A complete copy of planning and building files for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: Record of any existing orders issued to {} with respect to property standard issues. Any street parking approvals, zoning etc., in relation to the property including, StreetARToronto (StART) projects or any related outstanding etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project', 'relate', 'outstanding']
Original Request: A copy of Animal Services and Public Health files pertaining to dog bite incident on May 31, 2016, at {.} in which {}, was bitten. Record of any historical information regarding the dog involved, and the owner of said dog.
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'pertain', 'incident', 'record', 'historical', 'information', 'regard', 'involve', 'owner']
Original Request: Any & all City records, work product, notes, memos, correspondence or any other documentations that contain information relating to a tree removal request or appeal filed for {}. Consultations regarding said location etc.
Tokens prepared for LDA: ['record', 'product', 'correspondence', 'documentation', 'contain', 'information', 'relate', 'removal', 'request', 'appeal', 'consultation', 'regard', 'location']
Original Request: A copy of inspection notes and reports in relation to {}; all 311 call records related to the aforementioned address including those received in May 2016 and also, from phone # {number removed}.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'record', 'relate', 'aforementioned', 'address', 'include', 'receive', 'phone', 'removed}.']
Original Request: A copy of service connection cards, which show sanitary, sewer, water, and storm drainage connections for {}.
Tokens prepared for LDA: ['service', 'connection', 'sanitary', 'sewer', 'water', 'storm', 'drainage', 'connection']
Original Request: All Pollution Prevention Plan and Plan Summary forms for Dry Cleaning Facilities' submitted to Toronto Water since January 1st 2007; which are required for dry cleaners releasing any amount of Perchloroethylene into the sewers etc.
Tokens prepared for LDA: ['pollution', 'prevention', 'summary', 'cleaning', 'facility', 'submit', 'toronto', 'water', 'january', 'require', 'spin-dry', 'cleaner', 'release', 'perchloroethylene', 'sewer']
Original Request: Records related to the creation and establishment of ownership (both building and property) for Windmill Line Co-op (Windmill Line Cooperative Homes Inc., at {.}.
Tokens prepared for LDA: ['record', 'relate', 'creation', 'establishment', 'ownership', 'build', 'property', 'windmill', 'windmill', 'cooperative', 'home']
Original Request: Record of the decibel results for September 28, 2016 noise reading taken at {} folder # 2016-164368.
Tokens prepared for LDA: ['record', 'decibel', 'result', 'september', 'noise', 'folder', '164368']
Original Request: A copy of contract between the City and Four Seasons Site Development Ltd., for the College St. Sidewalk Beautification Project. Contract # 16 ECS-T1-11SP.
Tokens prepared for LDA: ['contract', 'season', 'development', 'college', 'sidewalk', 'beautification', 'project', 'contract']
Original Request: Historic permit applications and any historic permits for {}.
Tokens prepared for LDA: ['historic', 'permit', 'application', 'historic', 'permit']
Original Request: A copy of inspector's reports, complaint records filed with the City for {} from 2008 to 2016. The latest report was done on June 2016, Please include any complaints made regarding "unacceptable behavour"
Tokens prepared for LDA: ['inspector', 'report', 'complaint', 'record', 'report', 'include', 'complaint', 'regard', 'unacceptable', 'behavour']
Original Request: Any agreement between the City and the developer (restrictions etc) that permitted the construction of the condominium at 901 Queen St. W. required the repair of 905 Queen St. W., and permitted the demolition of two existing structures.
Tokens prepared for LDA: ['agreement', 'developer', 'restriction', 'permit', 'construction', 'condominium', 'queen', 'require', 'repair', 'queen', 'permit', 'demolition', 'exist', 'structure']
Original Request: All 2016 property standards violation issued against {} including Toronto Fire records for the same time frame.
Tokens prepared for LDA: ['property', 'standard', 'violation', 'issue', 'include', 'toronto', 'record', 'frame']
Original Request: A copy of open permit plans for {}.
Tokens prepared for LDA: ['permit']
Original Request: A copy of open permit plans for {}.
Tokens prepared for LDA: ['permit']
Original Request: A copy of ML&S order issued to {} in Sep. 2016 with regard to catch basin at the rear of the property. Records should include documents to the status of order.
Tokens prepared for LDA: ['order', 'issue', 'september', 'regard', 'catch', 'basin', 'property', 'record', 'include', 'document', 'status', 'order']
Original Request: All records pertaining to open building permits for {}.
Tokens prepared for LDA: ['record', 'pertain', 'build', 'permit']
Original Request: All records pertaining to open building permits for {}.
Tokens prepared for LDA: ['record', 'pertain', 'build', 'permit']
Original Request: All records pertaining to open building permits for {}.
Tokens prepared for LDA: ['record', 'pertain', 'build', 'permit']
Original Request: All records pertaining to open building permits for {}.
Tokens prepared for LDA: ['record', 'pertain', 'build', 'permit']
Original Request: Copies of work orders for stretch of road from Bay St. to Yonge St. along Charles St. W., in relation to paving and watermain work over the last 8 years. Record search from Oct. 21, 2008 to Oct. 21, 2016.
Tokens prepared for LDA: ['copy', 'order', 'stretch', 'yonge', 'charles', 'relation', 'watermain', 'record', 'search', 'october', 'october']
Original Request: Copies of work orders for stretch of road from Bay St. to Yonge St. along Charles St. W., in relation to paving and watermain work over the last 8 years. Record search from Oct. 21, 2008 to Oct. 21, 2016.
Tokens prepared for LDA: ['copy', 'order', 'stretch', 'yonge', 'charles', 'relation', 'watermain', 'record', 'search', 'october', 'october']
Original Request: 1. A complete copy of Toronto Water records regarding watermain break on Wellesley St., on Nov. 4, 2014 which affected {}. Records should include but are not limited to photos, videos, records, notes, e-mails, correspondence, memoranda etc.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'record', 'regard', 'watermain', 'break', 'wellesley', 'november', 'affect', 'record', 'include', 'limit', 'photo', 'video', 'record', 'correspondence', 'memorandum']
Original Request: All building permits and inspection records for {}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'record', 'search', 'possible', 'present']
Original Request: All e-mails and briefing notes written between April 1, 2016 and Oct. 5, 2016 by Councillor McMahon and Edward Birnbaum that contain the words 'George Foulidis'; 'Tuggs Inc.'; 'Tuggs'; 'Tuggs Incorporated' ; 'Cara Foods'; Cara Operations Ltd.' etc.
Tokens prepared for LDA: ['brief', 'write', 'april', 'october', 'councillor', 'mcmahon', 'edward', 'birnbaum', 'contain', 'george', 'foulidis', 'tuggs', 'tuggs', 'tuggs', 'incorporate', 'food', 'operations']
Original Request: All e-mails and briefing notes written between April 1, 2016 and Oct. 5, 2016 by Councillor McMahon and Edward Birnbaum that contain the words 'George Foulidis'; 'Tuggs Inc.'; 'Tuggs'; 'Tuggs Incorporated' ; 'Cara Foods'; Cara Operations Ltd.' etc.
Tokens prepared for LDA: ['brief', 'write', 'april', 'october', 'councillor', 'mcmahon', 'edward', 'birnbaum', 'contain', 'george', 'foulidis', 'tuggs', 'tuggs', 'tuggs', 'incorporate', 'food', 'operations']
Original Request: A copy of Animal Services and Toronto Paramedic files pertaining to dog bite incident on Nov. 12, 2012; at the Bendale Library in which {} was bitten by a dog owned by {}.
Tokens prepared for LDA: ['animal', 'services', 'toronto', 'paramedic', 'pertain', 'incident', 'november', 'bendale', 'library']
Original Request: All occupancy permits issued to residential and commercial building at {}. Record search from Jan. 1, 2004 to Dec. 31, 2006.
Tokens prepared for LDA: ['occupancy', 'permit', 'issue', 'residential', 'commercial', 'build', 'record', 'search', 'january', 'december']
Original Request: All occupancy permits issued to residential and commercial building at {}. Record search from Jan. 1, 2004 to Dec. 31, 2006.
Tokens prepared for LDA: ['occupancy', 'permit', 'issue', 'residential', 'commercial', 'build', 'record', 'search', 'january', 'december']
Original Request: A copy of plans of Committee of Adjustment file for {} file No. 05-115162 00 NIV.
Tokens prepared for LDA: ['committee', 'adjustment', '115162']
Original Request: All documents related to building permit issued for {}, under permit# 15-245928 BLD 00SR for party wall in conjunction with {.} under permit# 15-245913 BLD 00SR.
Tokens prepared for LDA: ['document', 'relate', 'build', 'permit', 'issue', 'permit', '245928', 'party', 'conjunction', 'permit', '245913']
Original Request: Record of complaint made by {} with regard to basement apartment at {.}.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'basement', 'apartment']
Original Request: A copy of building inspection report and soil inspection report for {}. Record search from 2003 to 2011.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'inspection', 'report', 'record', 'search']
Original Request: A copy of ambulance records and notes following a 911 call which resulted in the hospital transfer of a woman to hospital.
Tokens prepared for LDA: ['ambulance', 'record', 'follow', 'result', 'hospital', 'transfer', 'woman', 'hospital']
Original Request: All inspection records from Toronto Fire in relation to property located at {}. Record search from Jan. 1, 1951 to Jun. 30, 2009.
Tokens prepared for LDA: ['inspection', 'record', 'toronto', 'relation', 'property', 'locate', 'record', 'search', 'january']
Original Request: A copy of Wheel Trans contracts for accessible taxi companies in 2014.
Tokens prepared for LDA: ['wheel', 'trans', 'contract', 'accessible', 'company']
Original Request: All building and planning records for {} from 1970 to present.
Tokens prepared for LDA: ['build', 'record', 'present']
Original Request: A copy of Order to Comply, Application, under file # 15220074 WNP 00 VI for {.}; a copy of report dated Sept. 9, 2015 from Farnaz Bigbeli, Inspector, including measurements and report.
Tokens prepared for LDA: ['order', 'comply', 'application', '15220074', 'report', 'september', 'farnaz', 'bigbeli', 'inspector', 'include', 'measurement', 'report']
Original Request: All notices of violations, orders for {} from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['notice', 'violation', 'order', 'january', 'present']
Original Request: Copies of approved building permits and plan 1576 for {} from Jan. 1, 2007 to present.
Tokens prepared for LDA: ['copy', 'approve', 'build', 'permit', 'january', 'present']
Original Request: Record of the number of tickets issued for the disobeying of 'no left turn' sign at Tolman St., and Yonge St. Also, statistics on the number convictions at trial; number of withdrawals; number of resolutions by way of a guilty plea and lower fines etc.
Tokens prepared for LDA: ['record', 'ticket', 'issue', 'disobey', 'leave', 'tolman', 'yonge', 'statistic', 'conviction', 'trial', 'withdrawal', 'resolution', 'guilty']
Original Request: A copy of Toronto 311 report and findings for reference # 4315002 and 4316091 for {}, Scarborough. Record search from Oct. 21, 2016 to Oct. 23, 2016.
Tokens prepared for LDA: ['toronto', 'report', 'finding', 'reference', '4315002', '4316091', 'scarborough', 'record', 'search', 'october', 'october']
Original Request: All reports relating to mold issues for both the building and the unit at {}. Record search from 2013 to 2014.
Tokens prepared for LDA: ['report', 'relate', 'issue', 'build', 'record', 'search']
Original Request: All reports relating to mold issues for both the building and the unit at {}. Record search from 2013 to 2014.
Tokens prepared for LDA: ['report', 'relate', 'issue', 'build', 'record', 'search']
Original Request: A copy of current Corporate Security contract with G4S Secure Solutions Canada Ltd. for security services at City of Toronto Civic Centre and Courthouse locations. Specifically, the pay rate given to G4S Secure Solutions Canada Ltd. per guard per hour.
Tokens prepared for LDA: ['current', 'corporate', 'security', 'contract', 'secure', 'solution', 'canada', 'security', 'service', 'toronto', 'civic', 'centre', 'courthouse', 'location', 'specifically', 'secure', 'solution', 'canada', 'guard']
Original Request: All e-mails and briefing notes written between April 1, 2016 and Oct. 5, 2016 by Mayor John Tory that contain the words "George Foulidis", "Tuggs Inc.", "Tuggs" "Tuggs Incorporated" "Cara Foods" Cara Operations Limited" "Carter's Landing" "Steve Pelton"
Tokens prepared for LDA: ['brief', 'write', 'april', 'october', 'mayor', 'contain', 'george', 'foulidis', 'tuggs', 'tuggs', 'tuggs', 'incorporate', 'food', 'operations', 'limited', 'carter', 'landing', 'steve', 'pelton']
Original Request: Records of the expenses paid for improvements on the off-leash area dog park at Wychwood Barns, 601 Christie St. Examples of these improvements are: fencing built, gate installed (this past week), pergolas, picnic tables, sprinkler system, plantings.
Tokens prepared for LDA: ['record', 'expense', 'improvement', 'leash', 'wychwood', 'barn', 'christie', 'example', 'improvement', 'fence', 'build', 'install', 'pergola', 'picnic', 'table', 'sprinkler', 'planting']
Original Request: Record of payments made by City of Toronto from insurance claims for mental anguish or something akin to that caused by the City's action or inactions. Record search from 2009 to present.
Tokens prepared for LDA: ['record', 'payment', 'toronto', 'insurance', 'claim', 'mental', 'anguish', 'cause', 'action', 'inaction', 'record', 'search', 'present']
Original Request: All documents and records, notes, photos by City Inspector relating to a tree that was removed from {} in Oct. 2016. Steve Miller was the inspector and file # was 16-0436.
Tokens prepared for LDA: ['document', 'record', 'photo', 'inspector', 'relate', 'remove', 'october', 'steve', 'miller', 'inspector']
Original Request: A copy of animal services file for the dog bite incident that occurred on May 7, 2016 at {} hallway that related to {}. File # A16-018454.
Tokens prepared for LDA: ['animal', 'service', 'incident', 'occur', 'hallway', 'relate', '018454']
Original Request: A copy of inspection report, notes and any complaints made relating to the flooding on 12th floor of {} from 2011 to present.
Tokens prepared for LDA: ['inspection', 'report', 'complaint', 'relate', 'flood', 'floor', 'present']
Original Request: Record of all calls made to bylaw enforcement by {} from Apr. 2016 to Jun. 2016 in relation to {} bylaw enforcement contact - Terry Trendes. Copies of Toronto Fire records related to smoke detector in the etc.
Tokens prepared for LDA: ['record', 'bylaw', 'enforcement', 'april', 'relation', 'bylaw', 'enforcement', 'contact', 'terry', 'trend', 'copy', 'toronto', 'record', 'relate', 'smoke', 'detector']
Original Request: Copies of all building permits and inspections records for {} as well as, Toronto public Health inspection reports.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'record', 'toronto', 'public', 'health', 'inspection', 'report']
Original Request: Copies of all building permits and inspections records for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'record']
Original Request: Copies of all sewage, drainage and plumbing records pertaining to {.} from Oct. 2015 to Feb. 2016.
Tokens prepared for LDA: ['copy', 'sewage', 'drainage', 'plumb', 'record', 'pertain', 'october', 'february']
Original Request: A copy of record indicating the architect responsible for building {} including building inspection records. Record search from as far back as possible.
Tokens prepared for LDA: ['record', 'indicate', 'architect', 'responsible', 'build', 'include', 'build', 'inspection', 'record', 'record', 'search', 'possible']
Original Request: A copy of Toronto Fire file regarding {} from Mar. 1-31, 2016, particularly those related to building excavations caused by fire safety concerns.
Tokens prepared for LDA: ['toronto', 'regard', 'march', 'particularly', 'relate', 'build', 'excavation', 'cause', 'safety', 'concern']
Original Request: Copies of approved building permits for {.} including a copy of plan 2529. Record search from Jan. 1, 2011 to Dec. 31, 2013.
Tokens prepared for LDA: ['copy', 'approve', 'build', 'permit', 'include', 'record', 'search', 'january', 'december']
Original Request: Copies of approved building permits for {.} including a copy of plan 1854. Record search from Jan. 1, 2014 to Dec. 31, 2015.
Tokens prepared for LDA: ['copy', 'approve', 'build', 'permit', 'include', 'record', 'search', 'january', 'december']
Original Request: Copies of approved building permits for {.} including a copy of plan 1854. Record search from Jan. 1, 2014 to Dec. 31, 2015.
Tokens prepared for LDA: ['copy', 'approve', 'build', 'permit', 'include', 'record', 'search', 'january', 'december']
Original Request: Copies of approved building permits for {} including a copy of plan 2529. Record search from Jan. 1, 2010 to Dec. 31, 2011.
Tokens prepared for LDA: ['copy', 'approve', 'build', 'permit', 'include', 'record', 'search', 'january', 'december']
Original Request: Copies of inspection notes related to property located at {} These notes were written by former City inspector Angelo Fantuzzi.
Tokens prepared for LDA: ['copy', 'inspection', 'relate', 'property', 'locate', 'write', 'inspector', 'angelo', 'fantuzzi']
Original Request: Complete copies of Property Standards and Toronto Fire inspection reports and deficiency notices with respect to an investigation of basement of property located at {}. Record search from Oct. 24, 2016 to Oct. 27, 2016.
Tokens prepared for LDA: ['complete', 'property', 'standard', 'toronto', 'inspection', 'report', 'deficiency', 'notice', 'respect', 'investigation', 'basement', 'property', 'locate', 'record', 'search', 'october', 'october']
Original Request: A copy of permit to injure tree at {}. Record search from Jan. 1, 2016 to Oct. 5, 2016.
Tokens prepared for LDA: ['permit', 'injure', 'record', 'search', 'january', 'october']
Original Request: A copy of inspection report and observation notes taken by Kimberly Kilburn and the building inspector who accompanied her on a visit to {} on Aug. 10, 2016 etc.
Tokens prepared for LDA: ['inspection', 'report', 'observation', 'kimberly', 'kilburn', 'build', 'inspector', 'accompany', 'visit', 'august']
Original Request: A copy of inspection report and observation notes taken by Kimberly Kilburn and the building inspector who accompanied her on a visit to {} on Aug. 10, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'observation', 'kimberly', 'kilburn', 'build', 'inspector', 'accompany', 'visit', 'august']
Original Request: A copy of inspection report and observation notes taken by Kimberly Kilburn and the building inspector who accompanied her on a visit to {} on Aug. 10, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'observation', 'kimberly', 'kilburn', 'build', 'inspector', 'accompany', 'visit', 'august']
Original Request: A copy of any agreement between the City of Toronto and the Toronto Catholic School Board regarding the use of Dufferin Grove Park sports facilities (sports field, rink) by St. Mary's Catholic High School, including the hours of use etc.
Tokens prepared for LDA: ['agreement', 'toronto', 'toronto', 'catholic', 'school', 'board', 'regard', 'dufferin', 'grove', 'sport', 'facility', 'sport', 'field', 'catholic', 'school', 'include']
Original Request: Submitted exterior and interior architectural building plan drawings from ground level upwards for the following mid-rise and high-rise Toronto Community Housing building: Regent Park, Block 27 (110 River St), at the Southwest Corner of Dundas and River.
Tokens prepared for LDA: ['submit', 'exterior', 'interior', 'architectural', 'build', 'drawing', 'grind', 'level', 'upwards', 'follow', 'toronto', 'community', 'housing', 'build', 'regent', 'block', 'river', 'southwest', 'corner', 'dundas', 'river']
Original Request: Architectural building records for the following Toronto Community Housing townhomes: Regent Park, Block 28, at the North of Regent Park Athletics Grounds, between Sumach and Nicholas.
Tokens prepared for LDA: ['architectural', 'build', 'record', 'follow', 'toronto', 'community', 'housing', 'townhomes', 'regent', 'block', 'north', 'regent', 'athletics', 'grounds', 'sumach', 'nicholas']
Original Request: A copy of Toronto Water records pertaining to sewer back up, clogged water pipe and basement flooding at {} on Feb. 17, 2016. Reference # 4321762.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'pertain', 'sewer', 'water', 'basement', 'flood', 'february', 'reference', '4321762']
Original Request: Any record contained in any camera that may have captured the licensed plates of a motorcycle which was involved in a hit and run of a pedestrian at the intersection of Jane St. and Wilson Ave.
Tokens prepared for LDA: ['record', 'contain', 'camera', 'capture', 'license', 'plate', 'motorcycle', 'involve', 'pedestrian', 'intersection', 'wilson']
Original Request: Statistical information on the number of people who have visited the Sexual Health Clinics in Toronto; records should indicate the number of patients diagnosed with STD's, the types of STD's diagnosed, the ages of the patient and the gender.
Tokens prepared for LDA: ['statistical', 'information', 'people', 'visit', 'sexual', 'health', 'clinic', 'toronto', 'record', 'indicate', 'patient', 'diagnose', 'diagnose', 'patient', 'gender']
Original Request: Record of the number of cases of Chlamydia, Gonorrhea, Hepatitis B (carriers, cases and unclassified reports), Hepatitis C, HIV, AIDS and Syphilis (infectious, congenital and other) reported to the Toronto Public Health, broken down month-by-month etc.
Tokens prepared for LDA: ['record', 'chlamydia', 'gonorrhea', 'hepatitis', 'carrier', 'unclassified', 'report', 'hepatitis', 'syphilis', 'infectious', 'congenital', 'report', 'toronto', 'public', 'health', 'break', 'month', 'month']
Original Request: A copy of service connection cards, which show sanitary, sewer, water, and storm drainage connections for {}.
Tokens prepared for LDA: ['service', 'connection', 'sanitary', 'sewer', 'water', 'storm', 'drainage', 'connection']
Original Request: Copies of Toronto Fire inspection notes and reports pertaining to {}. Record search from April 2016 to October 2016.
Tokens prepared for LDA: ['copy', 'toronto', 'inspection', 'report', 'pertain', 'record', 'search', 'april', 'october']
Original Request: Record of all by-law complaints made in relation to {} by its occupants, including those regarding fire code violations and maintenance of hedges around lawn area. Record search from Oct. 1, 2014 to present.
Tokens prepared for LDA: ['record', 'complaint', 'relation', 'occupant', 'include', 'regard', 'violation', 'maintenance', 'hedge', 'record', 'search', 'october', 'present']
Original Request: All Records related to the unsafe structure designation of {} including a copy of the City's clearance of said order and the engineers reliance letter. Record search from Jan. 1, 2016 to Nov. 1, 2016.
Tokens prepared for LDA: ['record', 'relate', 'unsafe', 'structure', 'designation', 'include', 'clearance', 'order', 'engineer', 'reliance', 'letter', 'record', 'search', 'january', 'november']
Original Request: All Records related to the unsafe structure designation of {.} including a copy of the City's clearance of said order and the engineers reliance letter. Record search from Jan. 1, 2016 to Nov. 1, 2016.
Tokens prepared for LDA: ['record', 'relate', 'unsafe', 'structure', 'designation', 'include', 'clearance', 'order', 'engineer', 'reliance', 'letter', 'record', 'search', 'january', 'november']
Original Request: A copy of the planning and Committee of Adjustment files for building occupying Parama Credit Union at 2975 Bloor St. W. Record search from 1988 to present.
Tokens prepared for LDA: ['committee', 'adjustment', 'build', 'occupy', 'parama', 'credit', 'union', 'bloor', 'record', 'search', 'present']
Original Request: A copy of the planning and Committee of Adjustment files for building occupying Parama Credit Union at 2975 Bloor St. W. Record search from 1988 to present.
Tokens prepared for LDA: ['committee', 'adjustment', 'build', 'occupy', 'parama', 'credit', 'union', 'bloor', 'record', 'search', 'present']
Original Request: A copy of mold investigative reports concerning {}. Inspections were conducted on Sep. 28, 2016 by Toronto Public Health on Oct. 4, 2016 by ML&S.
Tokens prepared for LDA: ['investigative', 'report', 'concern', 'inspection', 'conduct', 'september', 'toronto', 'public', 'health', 'october', 'ml&s.']
Original Request: A copy of mold investigative reports concerning {}. Inspections were conducted on Sep. 28, 2016 by Toronto Public Health on Oct. 4, 2016 by ML&S.
Tokens prepared for LDA: ['investigative', 'report', 'concern', 'inspection', 'conduct', 'september', 'toronto', 'public', 'health', 'october', 'ml&s.']
Original Request: A copy of incident report following trip and fall sustained by {} on Aug. 30, 2016 at East York Civic Centre.
Tokens prepared for LDA: ['incident', 'report', 'follow', 'sustain', 'august', 'civic', 'centre']
Original Request: A copy of the entire file concerning West Queen West Heritage Conservation Study including phase 1 report and accompanying letter, invoices, bills and proof of payment, contracts, proposals and agreements to those proposals etc.
Tokens prepared for LDA: ['entire', 'concern', 'queen', 'heritage', 'conservation', 'study', 'include', 'phase', 'report', 'accompany', 'letter', 'invoice', 'proof', 'payment', 'contract', 'proposal', 'agreement', 'proposal']
Original Request: A copy of the entire file concerning West Queen West Heritage Conservation Study including phase 1 report and accompanying letter, invoices, bills and proof of payment, contracts, proposals and agreements to those proposals etc.
Tokens prepared for LDA: ['entire', 'concern', 'queen', 'heritage', 'conservation', 'study', 'include', 'phase', 'report', 'accompany', 'letter', 'invoice', 'proof', 'payment', 'contract', 'proposal', 'agreement', 'proposal']
Original Request: All e-mails from or to {} which the following names appear: {}, {} and {}. Record search from June 1, 2016 to Oct. 31, 2016.
Tokens prepared for LDA: ['follow', 'appear', 'record', 'search', 'october']
Original Request: Relating to the sidewalk area located near {} and its intersection of Soudan Ave. and Mount Pleasant Rd., the following is requested: 1) A copy of GPS and/or salt records 2) Plow Records for the aforementioned areas etc.
Tokens prepared for LDA: ['relate', 'sidewalk', 'locate', 'intersection', 'soudan', 'mount', 'pleasant', 'follow', 'request', 'and/or', 'record', 'record', 'aforementioned']
Original Request: Relating to the sidewalk area located near {} and its intersection of Soudan Ave. and Mount Pleasant Rd., the following is requested: 1) A copy of GPS and/or salt records 2) Plow Records for the aforementioned areas etc.
Tokens prepared for LDA: ['relate', 'sidewalk', 'locate', 'intersection', 'soudan', 'mount', 'pleasant', 'follow', 'request', 'and/or', 'record', 'record', 'aforementioned']
Original Request: Copies of inspection notes related to outstanding building permits for {}.
Tokens prepared for LDA: ['copy', 'inspection', 'relate', 'outstanding', 'build', 'permit']
Original Request: A complete copy of building, ML&S and planning files for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: All documents related to tree removal from property located at {} including any plans and arborist reports. Record search from 2010 to 2011.
Tokens prepared for LDA: ['document', 'relate', 'removal', 'property', 'locate', 'include', 'arborist', 'report', 'record', 'search']
Original Request: A copy of animal services and health files regarding dog bite incident that occurred on Oct. 23, 2016 in which {} was bitten by a dog owned by {} of {}. Case # 4316324.
Tokens prepared for LDA: ['animal', 'service', 'health', 'regard', 'incident', 'occur', 'october', '4316324']
Original Request: A copy of 311 and Toronto Water file related to water leak in the basement of {}. Record search from Feb. 1, 2016 to Feb. 29, 2016.
Tokens prepared for LDA: ['toronto', 'water', 'relate', 'water', 'basement', 'record', 'search', 'february', 'february']
Original Request: Any letters issued by Heritage Preservation Services that relate to the heritage aspects of {} that have been issued in the past 2-3 years: - Letters to the previous owners indicating the nomination of the house as a heritage site etc.
Tokens prepared for LDA: ['letter', 'issue', 'heritage', 'preservation', 'services', 'relate', 'heritage', 'aspect', 'issue', 'letters', 'previous', 'owner', 'indicate', 'nomination', 'house', 'heritage']
Original Request: From the Schedule 1 Designer Information; Application to Construct or Demolish and the Plumbing Data Sheet forms for all properties with existing and / or completed jobs within Forest Hill and Rosedale etc.
Tokens prepared for LDA: ['schedule', 'designer', 'information', 'application', 'construct', 'demolish', 'plumbing', 'sheet', 'property', 'exist', 'complete', 'forest', 'rosedale']
Original Request: A copy of fire inspection report for {} following inspection on November 19th or 20th, 2016 by Cherwin Perdon. Record search from Oct. 1, 2016 to Nov. 3, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'inspection', 'november', 'cherwin', 'perdon', 'record', 'search', 'october', 'november']
Original Request: All of Toronto Water records related to the replacement lead water service line on September 27, 2016 at {}. Also, those records for replacement of Curb box on August 2016). Records should include: work order report, inspection reports etc.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relate', 'replacement', 'water', 'service', 'september', 'record', 'replacement', 'august', 'record', 'include', 'order', 'report', 'inspection', 'report']
Original Request: Copies of transportation and water services records regarding culvert repair/replace at {}. Record search from Jan. 1, 2012 to Apr. 11, 2014.
Tokens prepared for LDA: ['copy', 'transportation', 'water', 'service', 'record', 'regard', 'culvert', 'repair', 'replace', 'record', 'search', 'january', 'april']
Original Request: Copies of transportation and water services records regarding culvert repair/replace at {}. Record search from Jan. 1, 2012 to Apr. 11, 2014.
Tokens prepared for LDA: ['copy', 'transportation', 'water', 'service', 'record', 'regard', 'culvert', 'repair', 'replace', 'record', 'search', 'january', 'april']
Original Request: Copies of notes and diagrams compiled by Toronto Fire Service with regards to {} between Jan. 1, 2015 and the present.
Tokens prepared for LDA: ['copy', 'diagram', 'compile', 'toronto', 'service', 'regard', 'january', 'present']
Original Request: A copy of dog bite incident report related to file No. A16-038029 - {} in the lobby section of the ground floor, on Sep. 17, 2016. Records should also include, a copy of video surveillance footage provided to ML&S by the condo board etc.
Tokens prepared for LDA: ['incident', 'report', 'relate', '038029', 'lobby', 'section', 'grind', 'floor', 'september', 'record', 'include', 'video', 'surveillance', 'footage', 'provide', 'condo', 'board']
Original Request: The names of any and all TTC staff/officials who approved for publication of the Toronto Auditor General's report titled "Review of Wheel-Trans Services - Sustaining Levels and Quality of Service Requires Changes to the Program" etc.
Tokens prepared for LDA: ['staff', 'official', 'approve', 'publication', 'toronto', 'auditor', 'general', 'report', 'title', 'review', 'wheel', 'trans', 'services', 'sustain', 'level', 'quality', 'service', 'require', 'change', 'program']
Original Request: A complete list of the owners of taxi licenses in Toronto, that will include full names of licensees, the taxi plate number, the Municipal license number, the complete date of the license renewal (day, month, year), and indication etc.
Tokens prepared for LDA: ['complete', 'owner', 'license', 'toronto', 'include', 'licensee', 'plate', 'municipal', 'license', 'complete', 'license', 'renewal', 'month', 'indication']
Original Request: A copy of fire inspection report related to {}. Inspection was conducted in Aug. 2016.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'inspection', 'conduct', 'august']
Original Request: A complete copy of building (violations and work orders only), ML&S and Public Health files for {}; records should include but are not limited to all complaints and orders issued. Record search from Jan. 1, 2009 to Nov. 2016.
Tokens prepared for LDA: ['complete', 'build', 'violation', 'order', 'public', 'health', 'record', 'include', 'limit', 'complaint', 'order', 'issue', 'record', 'search', 'january', 'november']
Original Request: All permit and inspection related documents for {} under permit # 15-207800 BLD 00 NH.
Tokens prepared for LDA: ['permit', 'inspection', 'relate', 'document', 'permit', '207800']
Original Request: A copy of ML&S inspection report for {}, Etobicoke from Oct. 2016 to Nov. 2016.
Tokens prepared for LDA: ['inspection', 'report', 'etobicoke', 'october', 'november']
Original Request: A copy of health inspection report for {} from January 2016 to Feb. 2016.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'january', 'february']
Original Request: A copy of report relating to dog bite incident # A16-038767, from Sept. 20, 2016 to Oct. 20, 2016.
Tokens prepared for LDA: ['report', 'relate', 'incident', '038767', 'september', 'october']
Original Request: All maintenance and work orders for construction activity taking place at or near the vicinity of {} between Jan. 1, 2014 to Jan. 30, 2015.
Tokens prepared for LDA: ['maintenance', 'order', 'construction', 'activity', 'place', 'vicinity', 'january', 'january']
Original Request: Record of noise and disruption complaints by {} of {} in Jan. and Jul. of 2015. Request # 3540150 & 3815016.
Tokens prepared for LDA: ['record', 'noise', 'disruption', 'complaint', 'january', 'request', '3540150', '3815016']
Original Request: Copies of inspection notes for framing work deficiencies noted at {} during construction project.
Tokens prepared for LDA: ['copy', 'inspection', 'frame', 'deficiency', 'construction', 'project']
Original Request: A copy of the complete work order requested by the City of Toronto to repair the back-flow valve in condominium tower at {}, July 28, 2016. Records should include inspection details along with any information from the city etc.
Tokens prepared for LDA: ['complete', 'order', 'request', 'toronto', 'repair', 'valve', 'condominium', 'tower', 'record', 'include', 'inspection', 'information']
Original Request: A list of licensed rooming houses in each City of Toronto Ward from 2006 to 2016 (IBMS reports for each year), including the total number of rooming houses in each ward for every year between 2006 and 2016.
Tokens prepared for LDA: ['license', 'house', 'toronto', 'report', 'include', 'total', 'house']
Original Request: The identity (name, address and phone number) of the individual(s) responsible for calling parking dispatch / enforcement to Roberta Drive. Record search from May 30, 2016 to Nov. 8, 2016.
Tokens prepared for LDA: ['identity', 'address', 'phone', 'individual(s', 'responsible', 'dispatch', 'enforcement', 'roberta', 'drive', 'record', 'search', 'november']
Original Request: A copy of incident report regarding {} who suffered a peanut allergy while attending a recreation class at the North Toronto Memorial Community Centre - 200 Eglinton Ave. W., on Oct. 17, 2016. Records should also include notes etc.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'suffer', 'peanut', 'allergy', 'attend', 'recreation', 'class', 'north', 'toronto', 'memorial', 'community', 'centre', 'eglinton', 'october', 'record', 'include']
Original Request: Payment bond for GO transit Square One Park and Ride (Mississauga) reputed General Contractor is Varcon Construction.
Tokens prepared for LDA: ['payment', 'transit', 'square', 'mississauga', 'repute', 'general', 'contractor', 'varcon', 'construction']
Original Request: Record of all permits issued to {} including all related applications and inspection notes.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'include', 'relate', 'application', 'inspection']
Original Request: A copy of permits issued to {} for garage extension. Record search from 1995 to present.
Tokens prepared for LDA: ['permit', 'issue', 'garage', 'extension', 'record', 'search', 'present']
Original Request: Record of road repairs during the period June 2007 - July 2007 from Keele St. on Sheppard Ave. to West of Jane St. on Sheppard Ave.; specifically the block from Magellan Dr. to Laura Rd. on Sheppard Ave.
Tokens prepared for LDA: ['record', 'repair', 'period', 'keele', 'sheppard', 'sheppard', 'specifically', 'block', 'magellan', 'laura', 'sheppard']
Original Request: A complete copy of building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: Record of the builder (name and address) for housing complex on which {} is situated, including time frame of the construction period. The date of occupancy of the first owner of {}.
Tokens prepared for LDA: ['record', 'builder', 'address', 'house', 'complex', 'situate', 'include', 'frame', 'construction', 'period', 'occupancy', 'owner']
Original Request: A copy of health inspection file following mold investigation at the residence of {} Record search from Sep. 1, 2016 to Nov. 11, 2016.
Tokens prepared for LDA: ['health', 'inspection', 'follow', 'investigation', 'residence', 'record', 'search', 'september', 'november']
Original Request: Record of any claims made/filed for damage to vehicles used in the performance of work by Direct Underground Inc. on Contract# 15ECS-LL-16SU during the months of August 2015 and September 2015. Records should NOT include claim #15-66183 or #15-66149.
Tokens prepared for LDA: ['record', 'claim', 'damage', 'vehicle', 'performance', 'direct', 'underground', 'contract', '15ecs', 'll-16su', 'month', 'august', 'september', 'record', 'include', 'claim', '66183', '66149']
Original Request: Record of all Slack (cloud-based team collaboration tool) messages sent by or received by the Mayor and/or the Mayor's staff, from June 1, 2016 to the present.
Tokens prepared for LDA: ['record', 'slack', 'cloud', 'collaboration', 'message', 'receive', 'mayor', 'and/or', 'mayor', 'staff', 'present']
Original Request: In electronic format, all information held by the City with respect to {}, which was created by or came into the possession of the City of Toronto between May 31, 2015 and November 14, 2016 etc.
Tokens prepared for LDA: ['electronic', 'format', 'information', 'respect', 'create', 'possession', 'toronto', 'november']
Original Request: Any e-mails, briefing notes or reports on requests to the provincial government to amend the City of Toronto Act to expand the ability of Executive Committee to hold private meetings. Record search from Jan. 1 2016 to Nov. 11, 2016
Tokens prepared for LDA: ['brief', 'report', 'request', 'provincial', 'government', 'amend', 'toronto', 'expand', 'ability', 'executive', 'committee', 'private', 'meeting', 'record', 'search', 'january', 'november']
Original Request: A copy of work order related compliance letter issued in 2016 to {} including a copy of engineers assessment. Record search Jan. 1, 2016 to Nov. 10, 2016.
Tokens prepared for LDA: ['order', 'relate', 'compliance', 'letter', 'issue', 'include', 'engineer', 'assessment', 'record', 'search', 'january', 'november']
Original Request: A copy of animal services file # A16-045265.
Tokens prepared for LDA: ['animal', 'service', '045265']
Original Request: A copy of animal services files related to dog attack incident involving dog owned by {}, which was attacked by another dog on Sep. 5, 2016; on or around {}.
Tokens prepared for LDA: ['animal', 'service', 'relate', 'attack', 'incident', 'involve', 'attack', 'september']
Original Request: Record of any existing orders issued to {} including any orders to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property standards, work orders etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'include', 'order', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'standard', 'order']
Original Request: All records pursuant to complaint against {} for operating without a business license. Complaint # B62904.
Tokens prepared for LDA: ['record', 'pursuant', 'complaint', 'operate', 'business', 'license', 'complaint', 'b62904']
Original Request: A copy of investigative records related to post flood damaged caused to {} in Nov. 2015. Records should include investigative notes and documentation on the state of disrepair and odor observed in the unit.
Tokens prepared for LDA: ['investigative', 'record', 'relate', 'flood', 'damage', 'cause', 'november', 'record', 'include', 'investigative', 'documentation', 'state', 'disrepair', 'observe']
Original Request: Copies of all orders, notices of violations, inspection notes photographs etc., issued to {} including, all complaints regarding maintenance and upkeep of the property. Record search from as far back possible to present.
Tokens prepared for LDA: ['copy', 'order', 'notice', 'violation', 'inspection', 'photograph', 'issue', 'include', 'complaint', 'regard', 'maintenance', 'upkeep', 'property', 'record', 'search', 'possible', 'present']
Original Request: Cyclist and motor vehicle data collected for the monitoring of the Bloor St. bike lane pilot project. Requested are two sets of data: the set collected in May/June 2016, and the set collected in Sep/Oct 2016, for each of the following streets: Bloor etc
Tokens prepared for LDA: ['cyclist', 'motor', 'vehicle', 'datum', 'collect', 'monitor', 'bloor', 'pilot', 'project', 'request', 'datum', 'collect', 'collect', 'follow', 'street', 'bloor']
Original Request: Cyclist and motor vehicle data collected for the monitoring of the Bloor St. bike lane pilot project. Requested are two sets of data: the set collected in May/June 2016, and the set collected in Sep/Oct 2016, for each of the following streets: Bloor etc
Tokens prepared for LDA: ['cyclist', 'motor', 'vehicle', 'datum', 'collect', 'monitor', 'bloor', 'pilot', 'project', 'request', 'datum', 'collect', 'collect', 'follow', 'street', 'bloor']
Original Request: Records for {} North York as follows: Fence Investigation File # 07 240189 FEN 00 IR; Fence Investigation file # 07 240269 FEN 00 IR; Sign by-law investigation file # 10 153382 SIN 00 IR; Waste by-law investigation # 13 191308 WST 00 IR.
Tokens prepared for LDA: ['record', 'north', 'follow', 'fence', 'investigation', '240189', 'fence', 'investigation', '240269', 'investigation', '153382', 'waste', 'investigation', '191308']
Original Request: Records for {}, North York as follows: Sign by-law investigation # 10 153397 SIN 00 IR.
Tokens prepared for LDA: ['record', 'north', 'follow', 'investigation', '153397']
Original Request: Records for {} North York as follows: Zoning Investigation file # 10 153417 ZON 00 IR, Long Grass and Weeds by-law investigation # 10 216802 LGW 00 IR
Tokens prepared for LDA: ['record', 'north', 'follow', 'zoning', 'investigation', '153417', 'grass', 'weeds', 'investigation', '216802']
Original Request: Records for {} North York as follows: Zoning investigation file # 10 216248 ZON 00 IR. Sign investigation file # 10 263971 SIN 00 IR. Zoning investigation file # 10 283567 ZON 00 IR; Zoning investigation file # 11 130041 ZON 00 IR
Tokens prepared for LDA: ['record', 'north', 'follow', 'zoning', 'investigation', '216248', 'investigation', '263971', 'zoning', 'investigation', '283567', 'zoning', 'investigation', '130041']
Original Request: Records for {} North York as follows: Zoning investigation file # 08 192895 ZON 00 IR; Zoning Investigation file # 08 196897 ZON 00 IV; Zoning Investigation file # 10 156620 ZON 00 IR.
Tokens prepared for LDA: ['record', 'north', 'follow', 'zoning', 'investigation', '192895', 'zoning', 'investigation', '196897', 'zoning', 'investigation', '156620']
Original Request: A copy of tree inspection report for the maple tree that is located at {}. This inspection was done in 2016.
Tokens prepared for LDA: ['inspection', 'report', 'maple', 'locate', 'inspection']
Original Request: Any record (document or correspondence) from the Mayor's office in which beverage (sugar, not alcohol) taxes have been the subject matter i.e. in support of or opposed to such a tax. Record search from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['record', 'document', 'correspondence', 'mayor', 'office', 'beverage', 'sugar', 'alcohol', 'taxis', 'subject', 'support', 'oppose', 'record', 'search', 'january', 'present']
Original Request: A dated list of all complaints received in relation to {} including investigative notes and reports, the identity and contact information of the complainant and the responding investigative officer.
Tokens prepared for LDA: ['complaint', 'receive', 'relation', 'include', 'investigative', 'report', 'identity', 'contact', 'information', 'complainant', 'respond', 'investigative', 'officer']
Original Request: All inspection notes, documents, and reports for {} in relation to permit # 15 103888 BLD 00 SR and all its subsequent revisions (there is a total of four). A copy of signed commitment for general reviews form and/or signed schedule 2.
Tokens prepared for LDA: ['inspection', 'document', 'report', 'relation', 'permit', '103888', 'subsequent', 'revision', 'total', 'commitment', 'general', 'review', 'and/or', 'schedule']
Original Request: All inspection notes, documents, and reports for {} from Jan. 1, 2014 to Nov. 1, 2016.
Tokens prepared for LDA: ['inspection', 'document', 'report', 'january', 'november']
Original Request: Correspondence between Charlene Tait and landlord of {.} in relation to defects found at {}. Record search from Oct. 13, 2016 to Nov. 15, 2016.
Tokens prepared for LDA: ['correspondence', 'charlene', 'landlord', 'relation', 'defect', 'record', 'search', 'october', 'november']
Original Request: Correspondence between Charlene Tait and landlord of {} in relation to defects found at {}. Record search from Oct. 13, 2016 to Nov. 15, 2016.
Tokens prepared for LDA: ['correspondence', 'charlene', 'landlord', 'relation', 'defect', 'record', 'search', 'october', 'november']
Original Request: Copies of any contracts between the City and private security companies e.g. Paragon Federal, Garda etc. Record search from Jan. 2013 to present.
Tokens prepared for LDA: ['copy', 'contract', 'private', 'security', 'company', 'paragon', 'federal', 'garda', 'record', 'search', 'january', 'present']
Original Request: A copy of investigative file related to 2016 "unleashed dog" summons served to {} of {}.
Tokens prepared for LDA: ['investigative', 'relate', 'unleash', 'summon', 'serve']
Original Request: The total amount of Section 37 funds held, broken down by ward/councillor as of Sep. 30, 2016. The total amount of Section 45 funds held, broken down by ward/councillor as of Sep. 30, 2016.
Tokens prepared for LDA: ['total', 'section', 'break', 'councillor', 'september', 'total', 'section', 'break', 'councillor', 'september']
Original Request: A copy of notice of violation dated May 10, 2016 issued by Toronto Fire in relation to {}. Records should also include related documents, inspection noes etc.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'toronto', 'relation', 'record', 'include', 'relate', 'document', 'inspection']
Original Request: Record of plumbing sewer drain repair details for {} completed in October to November 2016 regarding a problem on City part of sewer drain.
Tokens prepared for LDA: ['record', 'plumb', 'sewer', 'drain', 'repair', 'complete', 'october', 'november', 'regard', 'problem', 'sewer', 'drain']
Original Request: Records Titled - Snow Advisory: Scarborough District (from January 26, 2015 to February 9, 2015). Records Titles - Scarborough Winter Maintenance Patrol Record (from January 26, 2015 to February 9, 2015) for the area of roads adjacent etc.
Tokens prepared for LDA: ['record', 'title', 'advisory', 'scarborough', 'district', 'january', 'february', 'record', 'title', 'scarborough', 'winter', 'maintenance', 'patrol', 'record', 'january', 'february', 'adjacent']
Original Request: Record of any existing orders issued to {} with respect to property standard issues. Any street parking approvals, zoning etc., in relation to the property including, StreetARToronto (StART) projects or any related outstanding etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project', 'relate', 'outstanding']
Original Request: A copy of Preliminary Zoning Review made in Aug. 2016 for 269 Coxwell Ave., Rocca's No Frills.
Tokens prepared for LDA: ['preliminary', 'zoning', 'review', 'august', 'coxwell', 'rocca', 'frill']
Original Request: A copy of Public Health and ML&S inspection reports for {}. Record search from Jan. 2015 to present.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'record', 'search', 'january', 'present']
Original Request: All letter and e-mail communications sent to/from Councillor Jaye Robinson or her office (any one of her staff) regarding property located at {}. Record search from Jan. 1, 2013 to Nov. 16, 2016.
Tokens prepared for LDA: ['letter', 'communication', 'councillor', 'robinson', 'office', 'staff', 'regard', 'property', 'locate', 'record', 'search', 'january', 'november']
Original Request: Electronic record of fire safety inspection records for West Habour City 2 - 21 Grand Magazine St., particularly those related to building evacuations caused by fire safety concerns. Record search from Jan. 1, 2015 to Nov. 16, 2016.
Tokens prepared for LDA: ['electronic', 'record', 'safety', 'inspection', 'record', 'habour', 'grand', 'magazine', 'particularly', 'relate', 'build', 'evacuation', 'cause', 'safety', 'concern', 'record', 'search', 'january', 'november']
Original Request: A copy of fire inspection report for {} following investigation on Aug. 25, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'august']
Original Request: A copy of building permits issued to {} including architectural drawings.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'include', 'architectural', 'drawing']
Original Request: Record of authorization for the installation of any device on the sidewalk /driveway portion of {}. Metal plates have been installed over these drilled portions sometime between Jun. to Nov. 2016 by Robichaud NODIG Sewer Solutions.
Tokens prepared for LDA: ['record', 'authorization', 'installation', 'device', 'sidewalk', '/driveway', 'portion', 'metal', 'plate', 'install', 'drill', 'portion', 'november', 'robichaud', 'nodig', 'sewer', 'solution']
Original Request: Electronic record of fire safety inspection records for West Habour City 1 - 628 Fleet St., particularly those related to building evacuations caused by fire safety concerns. Record search from Jan. 1, 2015 to Nov. 16, 2016.
Tokens prepared for LDA: ['electronic', 'record', 'safety', 'inspection', 'record', 'habour', 'fleet', 'particularly', 'relate', 'build', 'evacuation', 'cause', 'safety', 'concern', 'record', 'search', 'january', 'november']
Original Request: A copy of dog bite incident report related to dog bite incident that occurred on Sep. 25, 2016 in which {} was bitten by a dog while at {} activity # 33807167.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'incident', 'occur', 'september', 'activity', '33807167']
Original Request: Water Pollution Control, Water Quality Testing, Ground Pollution, Human Waste in the Water, Microbeads in Water.
Tokens prepared for LDA: ['water', 'pollution', 'control', 'water', 'quality', 'testing', 'ground', 'pollution', 'human', 'waste', 'water', 'microbeads', 'water']
Original Request: In reference to Parking Activity Report 2012 - Table 2 published Mar. 27, 2013. Requested is, a broken down for the listed 8 Reasons for Cancellation categories in table 2 by: 1. Reason for non-conviction (e.g. insufficient evidence or failure etc.
Tokens prepared for LDA: ['reference', 'parking', 'activity', 'report', 'table', 'publish', 'march', 'request', 'break', 'reason', 'cancellation', 'category', 'table', 'reason', 'conviction', 'insufficient', 'evidence', 'failure']
Original Request: Copies of notes, files, e-mails etc. of Janet Leiper in relation to discussions she had with Ms. Maura Lawless, Executive Director of The 519 Community Centre, regarding her appointment of an independent investigator into certain actions of etc.
Tokens prepared for LDA: ['copy', 'janet', 'leiper', 'relation', 'discussion', 'maura', 'lawless', 'executive', 'director', 'community', 'centre', 'regard', 'appointment', 'independent', 'investigator', 'certain', 'action']
Original Request: A copy of Animal Services and Public Health files pertaining to dog bite incident in May 2016, at {} in which {} was bitten.
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'pertain', 'incident']
Original Request: Provide copies of any documents such as reports or e-mails regarding the alleged incident on the TTC streetcar on November 14, 2016 that was reported here: http://www.cp24.com/news/racially-charged-confrontation-on-board-ttc-streetcar-caught-on-film etc.
Tokens prepared for LDA: ['provide', 'document', 'report', 'regard', 'allege', 'incident', 'streetcar', 'november', 'report', 'http://www.cp24.com/news/racially-charged-confrontation-on-board-ttc-streetcar-caught-on-film']
Original Request: Water maintenance records pertaining to {} following sewer back-up which occurred at the property on Aug. 10, 2015: 1) All records relating to maintenance and inspection of sewer line serving the aforementioned address etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'august', 'record', 'relate', 'maintenance', 'inspection', 'sewer', 'serve', 'aforementioned', 'address']
Original Request: A copy of red light camera stills or photographs of a white Smart Car vehicle that travelled eastbound on Dupont St., on Saturday, Sep. 10, 2016. Assigned vehicle bearing license plate # {numer removed}, crossed Dupont St. and Lansdowne Ave. etc.
Tokens prepared for LDA: ['light', 'camera', 'photograph', 'white', 'smart', 'vehicle', 'travel', 'eastbound', 'dupont', 'saturday', 'september', 'assign', 'vehicle', 'license', 'plate', 'numer', 'remove', 'cross', 'dupont', 'lansdowne']
Original Request: All e-mails, internal memos and communications regarding the employment of former GM for Solid Waste Management Services - Beth Goodger between the following people: Beth Goodger, Peter Wallace, John Livey, Amanda Galbraith, Chris Eby, Vic Gupta etc.
Tokens prepared for LDA: ['internal', 'communication', 'regard', 'employment', 'solid', 'waste', 'management', 'services', 'goodger', 'follow', 'people', 'goodger', 'peter', 'wallace', 'livey', 'amanda', 'galbraith', 'chris', 'gupta']
Original Request: Record of any orders or infractions issued by ML&S and TPH against {} including inspections reports. Record search from 2008 to present.
Tokens prepared for LDA: ['record', 'order', 'infraction', 'issue', 'include', 'inspection', 'report', 'record', 'search', 'present']
Original Request: A list of all unauthorized attacks, intrusions, infections, and/or security incidents involving Toronto Transit System computer systems from Jan. 1 2016 to present. For each item, please include the date, a brief description/summary of the etc.
Tokens prepared for LDA: ['unauthorized', 'attack', 'intrusion', 'infection', 'and/or', 'security', 'incident', 'involve', 'toronto', 'transit', 'computer', 'january', 'present', 'include', 'brief', 'description', 'summary']
Original Request: Toronto Community Housing Corp.'s security dept¿. All records of contact by {} of {}, to Security Group for the past 5 years".
Tokens prepared for LDA: ['toronto', 'community', 'housing', 'corp.', 'security', 'dept¿.', 'record', 'contact', 'security', 'group']
Original Request: A copy of building permit file for {}. Record search from Jun. 1, 2014 to Nov. 10, 2016.
Tokens prepared for LDA: ['build', 'permit', 'record', 'search', 'november']
Original Request: Copies of 2016 ML&S records, including investigation reports, notices of violation and related outcomes for {} As a starting point please include related documents associated with the following 6 investigations documented in the City's etc.
Tokens prepared for LDA: ['copy', 'record', 'include', 'investigation', 'report', 'notice', 'violation', 'relate', 'outcome', 'start', 'point', 'include', 'relate', 'document', 'associate', 'follow', 'investigation', 'document']
Original Request: A copy of permit, arborist report and any record of calls/complaint requesting permission to injure or prune tree at {}. Injury to tree occurred in Nov. 2016.
Tokens prepared for LDA: ['permit', 'arborist', 'report', 'record', 'complaint', 'request', 'permission', 'injure', 'prune', 'injury', 'occur', 'november']
Original Request: Record of all 311 service requests made by {} with regards to sewer and water service for {}. Including records for water shut off valve replacement. Record search from Jun. 1, 2014 to Nov. 22, 2016.
Tokens prepared for LDA: ['record', 'service', 'request', 'regard', 'sewer', 'water', 'service', 'include', 'record', 'water', 'valve', 'replacement', 'record', 'search', 'november']
Original Request: A copy of the entire animal service file for the dog attack incident that occurred on Sep. 25, 2016 at {}. Dog owner is {} and victim is {}.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'attack', 'incident', 'occur', 'september', 'owner', 'victim']
Original Request: Record of all work orders issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['record', 'order', 'issue', 'possible', 'present']
Original Request: Copies of ML&S inspection complaints, notes and reports in relation to {}; regarding property standards issues with the front area of the home (e.g. planter, fence etc.). Records should include any orders issued against the property.
Tokens prepared for LDA: ['copy', 'inspection', 'complaint', 'report', 'relation', 'regard', 'property', 'standard', 'issue', 'planter', 'fence', 'record', 'include', 'order', 'issue', 'property']
Original Request: Records of any permits issued to {} of {} for driveway extension at the aforementioned address. Record search from Apr. 15, 2016 to Jun. 28, 2016.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'driveway', 'extension', 'aforementioned', 'address', 'record', 'search', 'april']
Original Request: A copy of letter of completion in relation to 16 day taxi driver training course taken by {} of Beck Taxi.
Tokens prepared for LDA: ['letter', 'completion', 'relation', 'driver', 'train', 'course']
Original Request: Record of service request for maintenance to sewers on the City's side of Faith Ave. /Faywood Blvd. due to heavy rains. Service requested by {}. Record search from Jan. 1, 2014 to Jan. 1, 2015.
Tokens prepared for LDA: ['record', 'service', 'request', 'maintenance', 'sewer', 'faith', '/faywood', 'heavy', 'service', 'request', 'record', 'search', 'january', 'january']
Original Request: Record of all building permits issued to {} from 1975 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'present']
Original Request: Record of all building permits, violations and open work orders and inspection reports for {}.
Tokens prepared for LDA: ['record', 'build', 'permit', 'violation', 'order', 'inspection', 'report']
Original Request: A copy complete copy of ML&S file in relation to dog bite incident involving {} - the victim, on Nov. 22, 2016 at {} including any similar historical records on the dog and its owner {}.
Tokens prepared for LDA: ['complete', 'relation', 'incident', 'involve', 'victim', 'november', 'include', 'similar', 'historical', 'record', 'owner']
Original Request: A copy of taxi cab driver training certificate for {} in 2005; licence # {DO1-4650847}.
Tokens prepared for LDA: ['driver', 'train', 'certificate', 'licence', '4650847}.']
Original Request: Record of all complaints made against property located at {} from 2014 to present.
Tokens prepared for LDA: ['record', 'complaint', 'property', 'locate', 'present']
Original Request: All records relating to the discovery of marijuana grow-op by Toronto Police at {}. All records of any orders to remedy the building, action taken to dispose of plants found and any other issues identified.
Tokens prepared for LDA: ['record', 'relate', 'discovery', 'marijuana', 'toronto', 'police', 'record', 'order', 'remedy', 'build', 'action', 'dispose', 'plant', 'issue', 'identify']
Original Request: Record of all building permits issued to {}. Record search from 1975 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'record', 'search', 'present']
Original Request: Record of all e-mails to and from the following individuals in which the name {} is mentioned. Record search from Oct. 15, 2015 to Nov. 30, 2016.
Tokens prepared for LDA: ['record', 'follow', 'individual', 'mention', 'record', 'search', 'october', 'november']
Original Request: A copy of entire ML&S investigative file for { in relation to the operation of a staffed law office within a residential area. Record search from Feb. 1, 2016 to present.
Tokens prepared for LDA: ['entire', 'investigative', 'relation', 'operation', 'staff', 'office', 'residential', 'record', 'search', 'february', 'present']
Original Request: Record of all open zoning code violations and complaints in relation to property located at {} Record search as far back as possible to present.
Tokens prepared for LDA: ['record', 'violation', 'complaint', 'relation', 'property', 'locate', 'record', 'search', 'possible', 'present']
Original Request: Copies of all Toronto Water records regarding sewer drain blockages at {} Record search from Jan. 1, 2013 to Nov. 30, 2016.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'regard', 'sewer', 'drain', 'blockage', 'record', 'search', 'january', 'november']
Original Request: A copy of inspection report relating to the flooding at {}; 311 ref. # 4353660.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'flood', '4353660']
Original Request: A complete copy of ML&S 2011 audit report for {}.
Tokens prepared for LDA: ['complete', 'audit', 'report']
Original Request: All records pertaining to pipe/lead pipe replacement to water supply lined for property located at {}.
Tokens prepared for LDA: ['record', 'pertain', 'replacement', 'water', 'supply', 'property', 'locate']
Original Request: All building file records for {} in relation to building extension to the rear of the property. Record search from Jul. 2, 2016 to present.
Tokens prepared for LDA: ['build', 'record', 'relation', 'build', 'extension', 'property', 'record', 'search', 'present']
Original Request: A copy of Incident Summary Report in relation to 911 calls to provide assistance to a member of the public at Sunnybrook Park - 1132 Leslie St. Record should indicate: location of calls and time of calls; 911 caller's comments to dispatcher etc.
Tokens prepared for LDA: ['incident', 'summary', 'report', 'relation', 'provide', 'assistance', 'member', 'public', 'sunnybrook', 'leslie', 'record', 'indicate', 'location', 'caller', 'comment', 'dispatcher']
Original Request: All documents pertaining to building permits, site visit and inspection notes for {}.
Tokens prepared for LDA: ['document', 'pertain', 'build', 'permit', 'visit', 'inspection']
Original Request: Records relating to analytical and research materials on people who are homeless or precariously housed. Records should include: consultation papers, demographic studies, surveys and questionnaires, provincial, federal and international publications etc.
Tokens prepared for LDA: ['record', 'relate', 'analytic', 'research', 'material', 'people', 'homeless', 'precariously', 'house', 'record', 'include', 'consultation', 'paper', 'demographic', 'study', 'survey', 'questionnaire', 'provincial', 'federal', 'international', 'publication']
Original Request: A list of all participating agencies and hubs involved in an extremism prevention plan revealed by CBC News on 26 November 2016. (See here: http://www.cbc.ca/beta/news/canada/toronto/toronto-police-deradicalization-program-1.3867442) etc.
Tokens prepared for LDA: ['participate', 'agency', 'involve', 'extremism', 'prevention', 'reveal', 'november', 'http://www.cbc.ca/beta/news/canada/toronto/toronto-police-deradicalization-program-1.3867442']
Original Request: All inspection notes and observations related to work order # 1077712 issued to {}. All documents confirming any remediation or repair done by Toronto Water between Jun. 15, 2015 to Jun. 16, 2016.
Tokens prepared for LDA: ['inspection', 'observation', 'relate', 'order', '1077712', 'issue', 'document', 'confirm', 'remediation', 'repair', 'toronto', 'water']
Original Request: All inspection notes and observations related to work order # 1077712 issued to {}. All documents confirming any remediation or repair done by Toronto Water between Jun. 15, 2015 to Jun. 16, 2016.
Tokens prepared for LDA: ['inspection', 'observation', 'relate', 'order', '1077712', 'issue', 'document', 'confirm', 'remediation', 'repair', 'toronto', 'water']
Original Request: All inspection notes and observations related to work order # 1077712 issued to {.}. All documents confirming any remediation or repair done by Toronto Water between Jun. 15, 2015 to Jun. 16, 2016.
Tokens prepared for LDA: ['inspection', 'observation', 'relate', 'order', '1077712', 'issue', 'document', 'confirm', 'remediation', 'repair', 'toronto', 'water']
Original Request: Copies of any remediation orders issued to {} post fire on 2nd floor rear balcony/patio area on Jul. 6, 2016. Records should also include all documents related to file # 16 194984.
Tokens prepared for LDA: ['copy', 'remediation', 'order', 'issue', 'floor', 'balcony', 'patio', 'record', 'include', 'document', 'relate', '194984']
Original Request: Record of building history report for {} including all open permits, violation and work orders. Record search from as far back as possible to present.
Tokens prepared for LDA: ['record', 'build', 'history', 'report', 'include', 'permit', 'violation', 'order', 'record', 'search', 'possible', 'present']
Original Request: All permit records for {} from Toronto Building and Urban Forestry including, Committee of Adjustment decisions.
Tokens prepared for LDA: ['permit', 'record', 'toronto', 'building', 'urban', 'forestry', 'include', 'committee', 'adjustment', 'decision']
Original Request: A copy of water damage report related to underground broken water pipe work done in front of {} on Oct. 28, 2016. Record search from Oct. 27-29, 2016.
Tokens prepared for LDA: ['water', 'damage', 'report', 'relate', 'underground', 'break', 'water', 'october', 'record', 'search', 'october']
Original Request: A copy of water damage report related to underground broken water pipe work done in front of {} on Oct. 28, 2016. Record search from Oct. 27-29, 2016.
Tokens prepared for LDA: ['water', 'damage', 'report', 'relate', 'underground', 'break', 'water', 'october', 'record', 'search', 'october']
Original Request: A copy of inspection report for mature Japanese Lilac tree on City property between {.} and {}, on the west side of the road. Inspection date Nov. 18, 2016 by Inspector Andy C.
Tokens prepared for LDA: ['inspection', 'report', 'mature', 'japanese', 'lilac', 'property', 'inspection', 'november', 'inspector']
Original Request: The identity of complainant linked to Folder # 16-49389 {} with regards to chickens on the property; including the identity and address of the complainant.
Tokens prepared for LDA: ['identity', 'complainant', 'folder', '49389', 'regard', 'chicken', 'property', 'include', 'identity', 'address', 'complainant']
Original Request: All records of complaint signed by {} of {} in relation to {} of {} including cell phone logs of calls she made using phones is the buildings office.
Tokens prepared for LDA: ['record', 'complaint', 'relation', 'include', 'phone', 'phone', 'building', 'office']
Original Request: All records of complaint signed by {} of {.} in relation to {} of {.} including cell phone logs of calls she made using phones is the buildings office.
Tokens prepared for LDA: ['record', 'complaint', 'relation', 'include', 'phone', 'phone', 'building', 'office']
Original Request: A copy of call details report and 911 recording relating to motor vehicle accident involving {} on Dec. 26, 2015.
Tokens prepared for LDA: ['report', 'record', 'relate', 'motor', 'vehicle', 'accident', 'involve', 'december']
Original Request: A copy of street parking permit waiting list for Humber Trail in Toronto.
Tokens prepared for LDA: ['street', 'permit', 'humber', 'trail', 'toronto']
Original Request: A copy of order issued November 2016 to {} permitting the cutting/injury tree on the property. 311 ref. # 4368548.
Tokens prepared for LDA: ['order', 'issue', 'november', 'permit', 'injury', 'property', '4368548']
Original Request: A complete list of the Toronto Public Library Board non-union exempt staff. These should include management positions and any other excluded position - not members of CUPE or COTAPSA.
Tokens prepared for LDA: ['complete', 'toronto', 'public', 'library', 'board', 'union', 'exempt', 'staff', 'include', 'management', 'position', 'exclude', 'position', 'member', 'cotapsa']
Original Request: Records of number of calls made/received with duration on councillor's cell phone, number of text messages sent/received. All e-mails sent/received regarding the ice storm, travel plans, meetings, staff briefings in the Councillor Kelly's account.
Tokens prepared for LDA: ['record', 'receive', 'duration', 'councillor', 'phone', 'message', 'receive', 'receive', 'regard', 'storm', 'travel', 'meeting', 'staff', 'briefing', 'councillor', 'kelly', 'account']
Original Request: A complete copy of Public Health file pertaining to incidents and or reports at the {institution's } located at {}, including statements, notes, photographs, diagrams, and reports from Oct. 2009 to present.
Tokens prepared for LDA: ['complete', 'public', 'health', 'pertain', 'incident', 'report', 'institution', 'locate', 'include', 'statement', 'photograph', 'diagram', 'report', 'october', 'present']
Original Request: Any e-mail and phone records belonging to Mayor Rob Ford, Chief of Staff Dan Jacobs and Special Assistant - Communications & Media Relations Amin Massoudi between Jan. 19-24, 2014.
Tokens prepared for LDA: ['phone', 'record', 'belong', 'mayor', 'chief', 'staff', 'jacobs', 'special', 'assistant', 'communications', 'medium', 'relations', 'massoudi', 'january']
Original Request: Copies of all documents relating to bonding passing between {company's } and the City of Toronto, with respect to Old City Hall HVAC project; from January 15, 2010 to present.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'company', 'toronto', 'respect', 'project', 'january', 'present']
Original Request: A copy of all notes, records, recordings, e-mails, documents, incident reports, witness statements, reports and all other information held by the Toronto Animal Services in report/incident #A13-033869 from Dec.7, 2013 to present.
Tokens prepared for LDA: ['record', 'recording', 'document', 'incident', 'report', 'witness', 'statement', 'report', 'information', 'toronto', 'animal', 'services', 'report', 'incident', '033869', 'dec.7', 'present']
Original Request: A copy of bid documents for the refilling of medical grade oxygen cylinders; tender No. 6613-12-3144 closed on Oct. 22, 2012. Bid was awarded to {Company's }.
Tokens prepared for LDA: ['document', 'refill', 'medical', 'grade', 'oxygen', 'cylinder', 'tender', 'close', 'october', 'award', 'company']
Original Request: All e-mails, memos and other documents related to the use of Nathan Phillips Square for the medal presentations during the Pan Am Games.
Tokens prepared for LDA: ['document', 'relate', 'nathan', 'phillips', 'square', 'medal', 'presentation', 'game']
Original Request: All e-mails sent to or from Earl Provost's, Dave Price's and Amin Massoudi's e-mail inboxes between Oct. 30 and Dec. 6, 2013 relating to Chief Bill Blair, crack cocaine, Sandro Lisi, Mohamed Siad, Liban Siyad, Payman Aboodowleh or any videos of Mayor
Tokens prepared for LDA: ['provost', 'price', 'massoudi', 'inboxes', 'october', 'december', 'relate', 'chief', 'blair', 'crack', 'cocaine', 'sandro', 'mohamed', 'liban', 'siyad', 'payman', 'aboodowleh', 'video', 'mayor']
Original Request: Copies of e-mail correspondence between Mayor Rob Ford and Councillor Doug Ford in a docx.file format and cell phone texts between the two in the form of an exl.doc; layout of rows by date, sender and text, from May 1, 2013 to Jan. 1. 2014.
Tokens prepared for LDA: ['copy', 'correspondence', 'mayor', 'councillor', 'docx.file', 'format', 'phone', 'exl.doc', 'layout', 'sender', 'january']
Original Request: A copy of sewer system inspection, maintenance and schedule records that would have direct effect on property located at {} from Feb. 16, 2008 to Feb. 26, 2014.
Tokens prepared for LDA: ['sewer', 'inspection', 'maintenance', 'schedule', 'record', 'direct', 'effect', 'property', 'locate', 'february', 'february']
Original Request: Any documents, correspondence (e-mails, memos and briefing notes) related to 'Jimmy Kimmel' or trip to Los Angeles; including any records from Councillor Ford's office from May 2013 to present relating to this trip.
Tokens prepared for LDA: ['document', 'correspondence', 'brief', 'relate', 'jimmy', 'kimmel', 'angeles', 'include', 'record', 'councillor', 'office', 'present', 'relate']
Original Request: Any and all information pertaining to the P.I.N.E project run by Exec. Dir. Andrew McMartin, including; permit status, requirements and dates of inquiries made regarding the project, including any names from Jan. 1, 2012 to Feb. 24, 2014.
Tokens prepared for LDA: ['information', 'pertain', 'p.i.n.e', 'project', 'andrew', 'mcmartin', 'include', 'permit', 'status', 'requirement', 'inquiry', 'regard', 'project', 'include', 'january', 'february']
Original Request: A summary of the sidewalk repair standards for COT's sidewalks for 2013, including planning information, incidents of falls and complaints pertaining to Queen St, north side between the intersections of Bay St and Yonge St. throughout 2013.
Tokens prepared for LDA: ['summary', 'sidewalk', 'repair', 'standard', 'sidewalk', 'include', 'information', 'incident', 'complaint', 'pertain', 'queen', 'north', 'intersection', 'yonge']
Original Request: History of all building permits for {} from 1900 to present.
Tokens prepared for LDA: ['history', 'build', 'permit', 'present']
Original Request: All communications related to the ice storm, between Dec. 20 and Dec. 31, between the City and Premier Kathleen Wynne's office, provincial ministers, Dep. Mayor's Office, Mayor's Office, City Manager's Office. Also records and communication with Hydro
Tokens prepared for LDA: ['communication', 'relate', 'storm', 'december', 'december', 'premier', 'kathleen', 'wynne', 'office', 'provincial', 'minister', 'mayor', 'office', 'mayor', 'office', 'manager', 'office', 'record', 'communication', 'hydro']
Original Request: All documents, records, notes, files from Heritage Preservation Services; all documents, notes, files, permits, applications from Building for {} from Jan. 1, 1990 to Feb. 28, 2014.
Tokens prepared for LDA: ['document', 'record', 'heritage', 'preservation', 'services', 'document', 'permit', 'application', 'building', 'january', 'february']
Original Request: Healthy Environment Tobacco 2012 and 2013 operating budget to TPH for tobacco enforcement with description of full funding to TPH from the Ministry of Health, Long Term Care. Number of staff employed by TPH to enforce Smoke-Free Ontario Act.
Tokens prepared for LDA: ['healthy', 'environment', 'tobacco', 'operate', 'budget', 'tobacco', 'enforcement', 'description', 'ministry', 'health', 'number', 'staff', 'employ', 'enforce', 'smoke', 'ontario']
Original Request: All current and past, as complete as possible, contracts between City of Toronto and {company's }.
Tokens prepared for LDA: ['current', 'complete', 'possible', 'contract', 'toronto', 'company']
Original Request: A copy of record of complaints filed with 311 and ML&S for {}, Scarborough from Dec. 1, 2013 to March 1, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'scarborough', 'december', 'march']
Original Request: For standard taxi plate owners, a list with cab / plate number, name, address, telephone number and e-mail.
Tokens prepared for LDA: ['standard', 'plate', 'owner', 'plate', 'address', 'telephone']
Original Request: All call logs, complaints and requests by residents relating to the removal or failure to remove leaves from Colbeck Street and Windermere Ave from Oct. 1, 2012 to Dec. 10, 2012.
Tokens prepared for LDA: ['complaint', 'request', 'resident', 'relate', 'removal', 'failure', 'remove', 'leave', 'colbeck', 'street', 'windermere', 'october', 'december']
Original Request: City Planning record for {} part lot 4-5 plan # {number removed} ward 7 including details of past developments, park levies paid, agreements with the City regarding levy payment, from 1985 to 2013 and record of demolition for dwelling constructed.
Tokens prepared for LDA: ['planning', 'record', 'remove', 'include', 'development', 'agreement', 'regard', 'payment', 'record', 'demolition', 'dwell', 'construct']
Original Request: Any applications, permits, or other documents in relation to the heritage property that was located at {} in North York (destroyed by fire in 2009). Specifically applications issued for a demolition permit.
Tokens prepared for LDA: ['application', 'permit', 'document', 'relation', 'heritage', 'property', 'locate', 'north', 'destroy', 'specifically', 'application', 'issue', 'demolition', 'permit']
Original Request: Any applications, permits, or other documents in relation to the heritage property that was located at {} destroyed by fire in 2009. Specifically applications issued for a demolition permit.
Tokens prepared for LDA: ['application', 'permit', 'document', 'relation', 'heritage', 'property', 'locate', 'destroy', 'specifically', 'application', 'issue', 'demolition', 'permit']
Original Request: A copy of ML&S report for plumbing investigation # 14 107410 PRS 00 IR at {} on Jan. 21, 2014.
Tokens prepared for LDA: ['report', 'plumb', 'investigation', '107410', 'january']
Original Request: All records pertaining to Mayor Rob Ford's appearance on the Jimmy Kimmel Live show. Including but not limited to any and all correspondence related to the show, e-mails/phone logs/letters/faxes/notes between Jimmy Kimmel and or his staff/network.
Tokens prepared for LDA: ['record', 'pertain', 'mayor', 'appearance', 'jimmy', 'kimmel', 'include', 'limit', 'correspondence', 'relate', 'phone', 'letter', 'jimmy', 'kimmel', 'staff', 'network']
Original Request: Copies of scoring sheets for response received for REOI 9144-13-7052 pertaining to Roster Information Management Services and Business Intelligence Services and SAP category rosters for selected/winning companies.
Tokens prepared for LDA: ['copy', 'score', 'sheet', 'response', 'receive', 'pertain', 'roster', 'information', 'management', 'services', 'business', 'intelligence', 'services', 'category', 'roster', 'select', 'company']
Original Request: All correspondence (letters) submitted to the Committee of Adjustments by Mike Layton from Jan. 1, 2013 to Dec. 31, 2013 for all properties
Tokens prepared for LDA: ['correspondence', 'letter', 'submit', 'committee', 'adjustment', 'layton', 'january', 'december', 'property']
Original Request: City maintenance reports / issues for the sewer system affiliated with or around {} York from July 2000 to July 2013.
Tokens prepared for LDA: ['maintenance', 'report', 'issue', 'sewer', 'affiliate']
Original Request: Names and bid prices for proponents that submitted quotes for RFP# 9118-13-4058 for professional and technical services in connection with trails and pathways design at multiple locations in Toronto.
Tokens prepared for LDA: ['names', 'price', 'proponent', 'submit', 'quote', 'professional', 'technical', 'service', 'connection', 'trail', 'pathway', 'design', 'multiple', 'location', 'toronto']
Original Request: All documents for {} such as plans, permits, inspector's notes and engineer's reports from Oct. 23, 2013 to Feb. 28, 2014.
Tokens prepared for LDA: ['document', 'permit', 'inspector', 'engineer', 'report', 'october', 'february']
Original Request: An Engineer's Report document for {} from Aug. 3, 2010 to Feb. 23, 2011.
Tokens prepared for LDA: ['engineer', 'report', 'document', 'august', 'february']
Original Request: Written correspondence, e-mails, telephone conversations and facsimiles from Lou Di Gironimo of Toronto Water, Real Estate / Utilities, Councillor Frank DiGiorgio and Councillor George Mammoliti relating to {} from Jan. 2010 to March 5, 2014
Tokens prepared for LDA: ['write', 'correspondence', 'telephone', 'conversation', 'facsimile', 'gironimo', 'toronto', 'water', 'estate', 'utility', 'councillor', 'frank', 'digiorgio', 'councillor', 'george', 'mammoliti', 'relate', 'january', 'march']
Original Request: Any information from Mayor's office on the possible investigation or inquest into the sexual assault on Sept. 27, 2008 and harassment from {individual's ", her brother {individual's " was the assailant in connection with TCHC and police record #{case ID number removed}.
Tokens prepared for LDA: ['information', 'mayor', 'office', 'possible', 'investigation', 'inquest', 'sexual', 'assault', 'september', 'harassment', 'individual', 'brother', 'individual', 'assailant', 'connection', 'police', 'record', 'removed}.']
Original Request: A copy of Tree Protection Plan for construction of a house on {} from August. 27, 2013 to present.
Tokens prepared for LDA: ['protection', 'construction', 'house', 'august', 'present']
Original Request: A sortable electronic document (such as a spreadsheet, database or .csv text file) showing all reported collisions in Toronto from January 1, 2000 to present detailing; date, classification, initial impact type, street, longitude, time etc.
Tokens prepared for LDA: ['sortable', 'electronic', 'document', 'spreadsheet', 'database', 'report', 'collision', 'toronto', 'january', 'present', 'classification', 'initial', 'impact', 'street', 'longitude']
Original Request: A copy of building permit No. 11178220 for {} from May 24, 2011 to March 8, 2013.
Tokens prepared for LDA: ['build', 'permit', '11178220', 'march']
Original Request: All issued permits, licenses, minor variances or other municipal approvals related to the driveway and parking for {}
Tokens prepared for LDA: ['issue', 'permit', 'license', 'minor', 'variance', 'municipal', 'approval', 'relate', 'driveway']
Original Request: Copy of any reports submitted to Granite Claims Solutions relating to the pothole strike on Feb. 27, 2013 at {}, Claim #{number removed}, including any reports from 311, TPS, Trans. Services and Granite Claims Solutions #{number removed}.
Tokens prepared for LDA: ['report', 'submit', 'granite', 'claim', 'solution', 'relate', 'pothole', 'strike', 'february', 'claim', 'remove', 'include', 'report', 'trans', 'services', 'granite', 'claim', 'solution', 'removed}.']
Original Request: All permits issued for construction of a canopy on the balcony of {} from 2007 to Oct. 31, 2012, indicating what permits were approved or rejected.
Tokens prepared for LDA: ['permit', 'issue', 'construction', 'canopy', 'balcony', 'october', 'indicate', 'permit', 'approve', 'reject']
Original Request: Details on the number of staff who filed annual mileage claims in excess of 10 000 kilometres. A list of the divisions and job titles represented in the Auditor General's Feb. 7, 2014 report, (AU14.8) pg.2.
Tokens prepared for LDA: ['details', 'staff', 'annual', 'mileage', 'claim', 'excess', 'kilometre', 'division', 'title', 'represent', 'auditor', 'general', 'february', 'report', 'au14.8']
Original Request: Confirmation in writing that the COT is responsible for the ploughing, salting, sanding and all other winter maintenance to the sidewalk located at or near 401 College Street, Toronto including maintenance records/logs/schedules etc.
Tokens prepared for LDA: ['confirmation', 'write', 'responsible', 'plough', 'winter', 'maintenance', 'sidewalk', 'locate', 'college', 'street', 'toronto', 'include', 'maintenance', 'record', 'schedule']
Original Request: Following a motor vehicle accident on March 3, 2012 southbound on Allen Road near its intersection with Eglinton Ave., detailed information is requested pertaining to taxicab operator {individual's }, COH {number removed}, drivers license # {number removed}.
Tokens prepared for LDA: ['following', 'motor', 'vehicle', 'accident', 'march', 'southbound', 'allen', 'intersection', 'eglinton', 'information', 'request', 'pertain', 'taxicab', 'operator', 'individual', 'remove', 'driver', 'license', 'removed}.']
Original Request: A copy of building inspection report pertaining to {}. Building Inspector Alessandro Cioffi.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'pertain', 'building', 'inspector', 'alessandro', 'cioffi']
Original Request: Copies of permits and work orders for {} on or about Aug. 8, 2013 pertaining to claim # C81247 for damages caused to property of Bell Canada.
Tokens prepared for LDA: ['copy', 'permit', 'order', 'august', 'pertain', 'claim', 'c81247', 'damage', 'cause', 'property', 'canada']
Original Request: Copies of all files and orders pertaining to {} issued under the foll. investigation #'s: 08-145417 PRS 00 IV; 09-197720 PRS 00 IV; 09-150634 PRS 00 IV; 11-331554 PRS 00 IV; 13-172777 PRS 00 IV; 13-226599 00 PRS IR.
Tokens prepared for LDA: ['copy', 'order', 'pertain', 'issue', 'investigation', '145417', '197720', '150634', '331554', '172777', '226599']
Original Request: Any and all inspection notes, records, open and closed permits pertaining to renovations and installations for {} from Jan. 2004 to Oct. 2011; while the property was registered to {}.
Tokens prepared for LDA: ['inspection', 'record', 'close', 'permit', 'pertain', 'renovation', 'installation', 'january', 'october', 'property', 'register']
Original Request: A copy of call transcript to 311 on March 12, 2014 regarding a request for inspection of a retaining wall causing flooding between the back of {} and the side of {}. MLS REF # {number removed}.
Tokens prepared for LDA: ['transcript', 'march', 'regard', 'request', 'inspection', 'retain', 'cause', 'flood', 'removed}.']
Original Request: All information in COT records pertaining to complaints about {} regarding patio or boulevard received within the year 2013, including but not limited to Oct. 24, 2013.
Tokens prepared for LDA: ['information', 'record', 'pertain', 'complaint', 'regard', 'patio', 'boulevard', 'receive', 'include', 'limit', 'october']
Original Request: All information in COT records pertaining to complaints about {} including but not limited to complaints made on or about June 19, 2013 and June 21, 2013; indicating the reason, name of complainant and dates.
Tokens prepared for LDA: ['information', 'record', 'pertain', 'complaint', 'include', 'limit', 'complaint', 'indicate', 'reason', 'complainant']
Original Request: Copies of permit applications including mechanical specifications for the uptown residences located at {} from Jan. 2004 to Jan. 2009.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'include', 'mechanical', 'specification', 'uptown', 'residence', 'locate', 'january', 'january']
Original Request: Copies of sign permit applications: 1979-019565 SGN 00SP; 1980-019961 SGN 00SP; 1994-016584 SGN 00SP related to {}.
Tokens prepared for LDA: ['copy', 'permit', 'application', '019565', '019961', '016584', 'relate']
Original Request: Any and all building permit applications, inspection notes and records, engineering and architectural general review certificates and letters, and committee of adjustments applications and rulings, from as far back as possible to Oct. 18, 2013.
Tokens prepared for LDA: ['build', 'permit', 'application', 'inspection', 'record', 'engineer', 'architectural', 'general', 'review', 'certificate', 'letter', 'committee', 'adjustment', 'application', 'ruling', 'possible', 'october']
Original Request: All files pertaining to {} in folder #: 11-209021 WST 00 IV and 11-209026 LGW 00 IV; from as far back as possible to present.
Tokens prepared for LDA: ['pertain', 'folder', '209021', '209026', 'possible', 'present']
Original Request: Copies of public health and fire inspection reports for {} on or around Nov. 24, 2013 including any other information up until present. PH. Inspector, Roza Trokova.
Tokens prepared for LDA: ['copy', 'public', 'health', 'inspection', 'report', 'november', 'include', 'information', 'present', 'inspector', 'trokova']
Original Request: Copies of all building permit applications relating to units {} at {} including copy of application for permit No.{} including authorization of owner; from Apr. 1, 2012 to Mar. 12, 2014.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'relate', 'include', 'application', 'permit', 'include', 'authorization', 'owner', 'april', 'march']
Original Request: A copy of health inspection report case # {number removed} pertaining to {} on Feb. 11, 2014.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'remove', 'pertain', 'february']
Original Request: A copy of site plan for {} showing the footprint of the building of a house on the lot, including building permits. From Aug. 27, 2013 to present.
Tokens prepared for LDA: ['footprint', 'build', 'house', 'include', 'build', 'permit', 'august', 'present']
Original Request: Any and all outstanding permits, work orders and other information contained within building file for {}.
Tokens prepared for LDA: ['outstanding', 'permit', 'order', 'information', 'contain', 'build']
Original Request: A copy of fire inspection report for the entire building located at {} from Sept. 1, 2013 to present. The fire inspector was Cherwin Perdon.
Tokens prepared for LDA: ['inspection', 'report', 'entire', 'build', 'locate', 'september', 'present', 'inspector', 'cherwin', 'perdon']
Original Request: A copy of full report ref. # (unknown) for Feb. 19, 2014 and ref. # {number removed} for Feb. 21, 2014 pertaining to flooding issues at {} and {}(adjacent properties) from Feb. 19, 2014 to Feb. 21, 2014.
Tokens prepared for LDA: ['report', 'unknown', 'february', 'remove', 'february', 'pertain', 'flood', 'issue', 'adjacent', 'property', 'february', 'february']
Original Request: Record of the date and time the pavement markings (bar lines or stop lines) were painted on Trethewey Dr and Todd Baylis B1 roads between; Jul. 4, 2013 through to July 21, 2013.
Tokens prepared for LDA: ['record', 'pavement', 'marking', 'paint', 'trethewey', 'baylis']
Original Request: A copy of all building permits, including applications and inspection and other historical documents pertaining to {} from 1990 to present.
Tokens prepared for LDA: ['build', 'permit', 'include', 'application', 'inspection', 'historical', 'document', 'pertain', 'present']
Original Request: Record listing all complaints made by neighbors' the {} family at {} regarding {} from Jan. 1, 2007 to Jan. 31, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'neighbor', 'family', 'regard', 'january', 'january']
Original Request: A copy of record showing the identity of the person who complained about vehicle license plate # {number removed} being illegally parked on Crane Ave and Freemont.
Tokens prepared for LDA: ['record', 'identity', 'person', 'complain', 'vehicle', 'license', 'plate', 'remove', 'illegally', 'crane', 'freemont']
Original Request: A copy of signed contract for Centre Island's Beasley's - Far Enough Farm. Also a copy of Beasley's Centerville's lease agreement, detailing annual cost and profits from Jan. 1, 2013 to Jan. 1, 2014.
Tokens prepared for LDA: ['contract', 'centre', 'island', 'beasley', 'beasley', 'centerville', 'lease', 'agreement', 'annual', 'profit', 'january', 'january']
Original Request: A copy of lease agreement for Centre Island's - Shopsy's Restaurant from Apr. 1, 2012 to Apr. 1, 2013.
Tokens prepared for LDA: ['lease', 'agreement', 'centre', 'island', 'shopsy', 'restaurant', 'april', 'april']
Original Request: Any records from Councillor Doug Ford's Office, City Manager's Office, Councillor Colle's Office and Mayor's Office pertaining to {individual's }, {}, {Classic Restoration Services} from past available to present 2014.
Tokens prepared for LDA: ['record', 'councillor', 'office', 'manager', 'office', 'councillor', 'colle', 'office', 'mayor', 'office', 'pertain', 'individual', 'classic', 'restoration', 'services', 'available', 'present']
Original Request: The total amount paid to Taxi Research Partners by COT for their 2014 research report. An electronic version (i.e. excel) offering manipulatability of the mathematical models as indicated in the appendices of the report, from 2010 to 2014.
Tokens prepared for LDA: ['total', 'research', 'partner', 'research', 'report', 'electronic', 'version', 'excel', 'offer', 'manipulatability', 'mathematical', 'model', 'indicate', 'appendix', 'report']
Original Request: Copies of e-mails between Erik Hunter (Affordable Housing) and Denise Stuckless (Access & Privacy Office) regarding photos and anything else pertaining to {} from 2013 to present.
Tokens prepared for LDA: ['copy', 'hunter', 'affordable', 'housing', 'denise', 'stuckless', 'access', 'privacy', 'office', 'regard', 'photo', 'pertain', 'present']
Original Request: Pertaining to {individual's " of {individual's " & {individual's " copies of all communication (memos, e-mails, notes of phone calls, photos) etc. from and between staff of AffordableHousing and other third parties.
Tokens prepared for LDA: ['pertain', 'individual', 'individual', 'individual', 'communication', 'phone', 'photo', 'staff', 'affordablehousing', 'party']
Original Request: Copies of work order issued by Natural Environment and Forestry and or PFR for the removal of trees on the Guild and South Marine parks in Guildwood Village.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'natural', 'environment', 'forestry', 'removal', 'guild', 'south', 'marine', 'guildwood', 'village']
Original Request: A copy of record and authorization providing City planning and or legal staff, the direction to have the OMB amend their decision dated May 31, 2012, and redirect the, section 37, $200 000 cash contribution from Hanover Park to Anthony Road Park.
Tokens prepared for LDA: ['record', 'authorization', 'provide', 'legal', 'staff', 'direction', 'amend', 'decision', 'redirect', 'section', 'contribution', 'hanover', 'anthony']
Original Request: A copy of all records relating to road and sidewalk maintenance, inspection, snow clearing and salting that took place on Sumach Ave. and Wellesley St. (east of Parliament) from Mar. 1 to 18, 2014, including record of all 311 calls and complaints.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'clear', 'place', 'sumach', 'wellesley', 'parliament', 'march', 'include', 'record', 'complaint']
Original Request: An electronic copy of record showing the year-end 2013 SAP report for PFR division, for ward 18 only. Detailing the cost centre numbers referring to food supply expenses (groceries) and skate-lending supply expenses,
Tokens prepared for LDA: ['electronic', 'record', 'report', 'division', 'detailing', 'centre', 'number', 'refer', 'supply', 'expense', 'grocery', 'skate', 'supply', 'expense']
Original Request: All documents, letters, log notes, field book entries, inspection reports, certificates of completion, notices of satisfactory performance and or any other notices and reports issued by Frank Csenkey of COT pertaining to contract # 10 EY-41 WS.
Tokens prepared for LDA: ['document', 'letter', 'field', 'entry', 'inspection', 'report', 'certificate', 'completion', 'notice', 'satisfactory', 'performance', 'notice', 'report', 'issue', 'frank', 'csenkey', 'pertain', 'contract', 'ey-41']
Original Request: A list of and or any other information of contracts the City has with {company's } detailing expiry dates, dollar amt., tender documents and number of vehicles in use by COT Fleet Services Division from Jan. 1, 2013 to Mar. 17, 2014.
Tokens prepared for LDA: ['information', 'contract', 'company', 'expiry', 'dollar', 'tender', 'document', 'vehicle', 'fleet', 'services', 'division', 'january', 'march']
Original Request: A copy of camera footage of the Don Valley Parkway and York Mills Rd. on Feb. 10, 2014 at approximately 3:00 PM; pertaining to {individual's }, claim # {number removed}.
Tokens prepared for LDA: ['camera', 'footage', 'valley', 'parkway', 'mills', 'february', 'approximately', 'pertain', 'individual', 'claim', 'removed}.']
Original Request: Copies of inspection notes for {} and 41 Unit townhouse complex development at {} file # 00-324354 CMB-alts from Jan. 1, 1999 to Dec. 31, 2001.
Tokens prepared for LDA: ['copy', 'inspection', 'townhouse', 'complex', 'development', '324354', 'january', 'december']
Original Request: A copy of the official document that authorizes the cutting of lot 3m from the frontage line at {}.
Tokens prepared for LDA: ['official', 'document', 'authorize', 'frontage']
Original Request: All work orders issued to property at {} from 2004 to 2014.
Tokens prepared for LDA: ['order', 'issue', 'property']
Original Request: Record of the date, place and time of several issued parking tickets. Also the full names of the issuing officer and work status (were they on or off duty) at time of issuances.
Tokens prepared for LDA: ['record', 'place', 'issue', 'ticket', 'issue', 'officer', 'status', 'issuance']
Original Request: A copy of report from Toronto Fire Services regarding the designation of fire route at {}.
Tokens prepared for LDA: ['report', 'toronto', 'services', 'regard', 'designation', 'route']
Original Request: All building permits document, related inspector notes and drawings from the last 10 years for the property located at {}.
Tokens prepared for LDA: ['build', 'permit', 'document', 'relate', 'inspector', 'drawing', 'property', 'locate']
Original Request: All records within the meaning of the MFIPPA, concerning instances or allegations, of any person (including, but not limited to, elected officials, civilians, and City employees) consuming alcohol or or illegal drugs on the premises of City Hall. Dec 1/10
Tokens prepared for LDA: ['record', 'mfippa', 'concern', 'instance', 'allegation', 'person', 'include', 'limit', 'elect', 'official', 'civilian', 'employee', 'consume', 'alcohol', 'illegal', 'premise']
Original Request: Records and reports showing full compliance of municipal code 349 by owner of 3 guard dogs located at an industrial facility at {}, following animal cruelty investigations by ML&S.
Tokens prepared for LDA: ['record', 'report', 'compliance', 'municipal', 'owner', 'guard', 'locate', 'industrial', 'facility', 'follow', 'animal', 'cruelty', 'investigation', 'ml&s.']
Original Request: All incident reports relating to the water main/pipe/service line failure at or near {}, on or about May 26, 2013. Detailing the age of the above mentioned water main/pipe, service line, incl. all service/inspection/maintenance records
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'service', 'failure', 'detailing', 'mention', 'water', 'service', 'service', 'inspection', 'maintenance', 'record']
Original Request: A copy of the video recording of the Mar. 18, 2014 meeting of the Design Review panel, from 3:00 to the end of the meeting.
Tokens prepared for LDA: ['video', 'record', 'march', 'design', 'review', 'panel']
Original Request: A copy of security report and video surveillance of customer's {individual's } trip and fall incident at the Via rail ramp which leads to the departure concourse at Union Station, on Feb. 18, 2014 between 16:30 and 18:00 hours.
Tokens prepared for LDA: ['security', 'report', 'video', 'surveillance', 'customer', 'individual', 'incident', 'departure', 'concourse', 'union', 'station', 'february', '16:30', '18:00']
Original Request: All records of any complaints or orders issued to {}, including building applications or any other applications for re-zoning or change of property use from 1970 to present.
Tokens prepared for LDA: ['record', 'complaint', 'order', 'issue', 'include', 'build', 'application', 'application', 'change', 'property', 'present']
Original Request: A copy of safety code violation and subsequent order issued to {} including resolution report, from Jul. 1, 2013 to Sept. 30, 2013. Inspector was Alistair Thomas.
Tokens prepared for LDA: ['safety', 'violation', 'subsequent', 'order', 'issue', 'include', 'resolution', 'report', 'september', 'inspector', 'alistair', 'thomas']
Original Request: A copy of complaint made on Mar. 13, 2014 and subsequent service request for the removal of a window in front of a residential driveway in ward 36, ref. # 2593014.
Tokens prepared for LDA: ['complaint', 'march', 'subsequent', 'service', 'request', 'removal', 'window', 'residential', 'driveway', '2593014']
Original Request: A copy of reports 2588174 & 2588121 regarding contracted services with the COT to excavate and repair main water break on Mar. 12, 2014 at {}. Reports requested for legal hearing on Mar. 25, 2014 with the Landlord and Tenant Trubinal.
Tokens prepared for LDA: ['report', '2588174', '2588121', 'regard', 'contract', 'service', 'excavate', 'repair', 'water', 'break', 'march', 'report', 'request', 'legal', 'march', 'landlord', 'tenant', 'trubinal']
Original Request: A copy of 311 complaint report pertaining to request for leaves to be cleaned from sidewalk at {} at the intersections of Colbeck and Windermere Ave. on Dec. 3, 2012.
Tokens prepared for LDA: ['complaint', 'report', 'pertain', 'request', 'leave', 'clean', 'sidewalk', 'intersection', 'colbeck', 'windermere', 'december']
Original Request: Copies of water bills for a/c no. {Account number removed}, payment records and physical meter readings for 2007 and 2009 pertaining to {}. Details of any amounts transferred to property taxes and the dates, bills paid until Dec. 2009.
Tokens prepared for LDA: ['copy', 'water', 'account', 'remove', 'payment', 'record', 'physical', 'meter', 'reading', 'pertain', 'details', 'transfer', 'property', 'taxis', 'december']
Original Request: All records relevant to the condition of the roads near {} on Feb. 6, 2014 at or around 6:00 p.m. following significant snow fall on Feb. 5, 2014, including policies regarding the length of time the City has to clear the roads.
Tokens prepared for LDA: ['record', 'relevant', 'condition', 'february', 'follow', 'significant', 'february', 'include', 'policy', 'regard', 'length', 'clear']
Original Request: Copies of two fire inspection reports completed for {} and any other information regarding compliance and fire safety of the building, from Mar. 1, 2006 to Dec. 21, 2010.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'complete', 'information', 'regard', 'compliance', 'safety', 'build', 'march', 'december']
Original Request: A copy of all permits and inspections for {} from Jan. 1, 1984 to present.
Tokens prepared for LDA: ['permit', 'inspection', 'january', 'present']
Original Request: Any records of investigation from Mayor's office relating to the heat issue at {} from May to Sept. 2013.
Tokens prepared for LDA: ['record', 'investigation', 'mayor', 'office', 'relate', 'issue', 'september']
Original Request: All building reports, zoning reports, planning and court orders regarding a carport built partially on {}, from July 2013 to present. Carport belongs to {}.
Tokens prepared for LDA: ['build', 'report', 'report', 'court', 'order', 'regard', 'carport', 'build', 'partially', 'present', 'carport', 'belong']
Original Request: Winning bid, including price for RFP# 3405-13-3066 for election staffing and warehouse solution.
Tokens prepared for LDA: ['winning', 'include', 'price', 'election', 'staff', 'warehouse', 'solution']
Original Request: A copy of noise complaint report for {}. The complaint number is 2413303 and the By-law Officer is Mike Patterson.
Tokens prepared for LDA: ['noise', 'complaint', 'report', 'complaint', '2413303', 'officer', 'patterson']
Original Request: All memos, e-mails, briefing notes and security reports and logs relating to activities of Mayor Rob Ford, guests and members of his staff on March 15 or March 16, 2014, including information on Mayor Ford's use of security pass and parking records.
Tokens prepared for LDA: ['brief', 'security', 'report', 'relate', 'activity', 'mayor', 'guest', 'member', 'staff', 'march', 'march', 'include', 'information', 'mayor', 'security', 'record']
Original Request: Any snow removal or salting policies applicable to municipal roads and sidewalks in North York, and in particular to Driftwood Ave. between Finch Ave. W. and Yorkwoods Gate for the month of Feb. & Mar., 2014. Pertaining to slip and fall incident.
Tokens prepared for LDA: ['removal', 'policy', 'applicable', 'municipal', 'sidewalk', 'north', 'particular', 'driftwood', 'finch', 'yorkwoods', 'month', 'february', 'march', 'pertain', 'incident']
Original Request: A copy of red light camera infraction and photos for motor vehicle accident that occurred at or on Nov 22, 2013 at Huntingwood and Birchmount at approx. 2:15 p.m.
Tokens prepared for LDA: ['light', 'camera', 'infraction', 'photo', 'motor', 'vehicle', 'accident', 'occur', 'huntingwood', 'birchmount', 'approx']
Original Request: A copy of fire inspection report for {} on Feb. 27, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'february']
Original Request: Copies of all credit reports obtained by Ms. Kyriazis, case worker 211, or any other case worker at Lesmills ESS office from American Express Canada and Equifax, from Oct. 1, 2013 to Mar. 26, 2013 for {individual's } member ID # {Number removed}.
Tokens prepared for LDA: ['copy', 'credit', 'report', 'obtain', 'kyriazis', 'worker', 'worker', 'lesmills', 'office', 'american', 'express', 'canada', 'equifax', 'october', 'march', 'individual', 'member', 'number', 'removed}.']
Original Request: Copies of inspection reports for {} pertaining to two visits made by Paul da Costa, Building Specialist; for drain system inspections, between Aug. to Oct. 2013.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'pertain', 'visit', 'costa', 'building', 'specialist', 'drain', 'inspection', 'august', 'october']
Original Request: Copies of inspection records, orders and/or directives, documents, etc. between Toronto Public Health and the operator(s) relating to Travelodge Toronto Airport located at {} from 2007-2014.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'order', 'and/or', 'directive', 'document', 'toronto', 'public', 'health', 'operator(s', 'relate', 'travelodge', 'toronto', 'airport', 'locate']
Original Request: Copies of inspection reports for investigations conducted at {} including the entire building from July 2010 to present. Specifically those regarding the shower and garbage chute. Inspectors; Tejan Alleyne and Mike Patterson.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'investigation', 'conduct', 'include', 'entire', 'build', 'present', 'specifically', 'regard', 'shower', 'garbage', 'chute', 'inspector', 'tejan', 'alleyne', 'patterson']
Original Request: How long was sidewalk closed on south side of Scollard St. during construction of the Four Seasons Hotel at Scollard St. and Bay St. How long were dumpsters kept on Scollard St. during construction of the Four Seasons Hotel from 2009 to 2013.
Tokens prepared for LDA: ['sidewalk', 'close', 'south', 'scollard', 'construction', 'season', 'hotel', 'scollard', 'dumpster', 'scollard', 'construction', 'season', 'hotel']
Original Request: A copy of inspection report including observations, findings, conclusions from Public Health for {}. The inspecton was done on March 14, 2014 by Health Inspector Richard Rampersad.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'observation', 'finding', 'conclusion', 'public', 'health', 'inspecton', 'march', 'health', 'inspector', 'richard', 'rampersad']
Original Request: History of ongoing complaints filed by {} about {} and all visits from By-law officers with reason, dates and time from 2004 to present.
Tokens prepared for LDA: ['history', 'ongoing', 'complaint', 'visit', 'officer', 'reason', 'present']
Original Request: Records on grow op activities at{} from 1995 to 2013.
Tokens prepared for LDA: ['record', 'activity']
Original Request: Permit history, outstanding work orders, records on any structural and construction problems for {}, Scarborough.
Tokens prepared for LDA: ['permit', 'history', 'outstanding', 'order', 'record', 'structural', 'construction', 'problem', 'scarborough']
Original Request: All documents related to third party signage at {}.
Tokens prepared for LDA: ['document', 'relate', 'party', 'signage']
Original Request: Inspection logs, incident reports, witness statements, investigative notes and photos and/or video footage, complaints on the slip and fall incident on Feb. 28, 2010 at {} between Bathurst St. and Queen St. W. relating to {Individual's }.
Tokens prepared for LDA: ['inspection', 'incident', 'report', 'witness', 'statement', 'investigative', 'photo', 'and/or', 'video', 'footage', 'complaint', 'incident', 'february', 'bathurst', 'queen', 'relate', 'individual']
Original Request: Full copy of complaint and report findings for {}. The complaint was filed by {} relating to downspout issue. Inspection was done on Feb. 24, 2014 by Paula Thomas, ML&S Inspector.
Tokens prepared for LDA: ['complaint', 'report', 'finding', 'complaint', 'relate', 'downspout', 'issue', 'inspection', 'february', 'paula', 'thomas', 'inspector']
Original Request: Number of dog related incidents or complaints for {}, including details for any dog related incidents/complaints relating to a German Sheppard at this location for the last 5 to 7 years.
Tokens prepared for LDA: ['number', 'relate', 'incident', 'complaint', 'include', 'relate', 'incident', 'complaint', 'relate', 'german', 'sheppard', 'location']
Original Request: A copy of sewer back up service records for in and around {}, including, but not limited to report, photographs, documents and videotapes, for the last 6 years.
Tokens prepared for LDA: ['sewer', 'service', 'record', 'include', 'limit', 'report', 'photograph', 'document', 'videotape']
Original Request: All records of building inspectors' notes, managers' notes and directors' notes, including work orders for {}, North York from 2005 to present.
Tokens prepared for LDA: ['record', 'build', 'inspector', 'manager', 'director', 'include', 'order', 'north', 'present']
Original Request: Copy of all work orders and history of permits including noticesand inspection for {} North York from 2007 to 2012 from Fire Services and Building Dept.
Tokens prepared for LDA: ['order', 'history', 'permit', 'include', 'noticesand', 'inspection', 'north', 'services', 'building']
Original Request: Records of accidents (vehicle, bus, bike or any other form of transportation) that occurred from Jan. 1, 2012 to Dec. 31, 2013 in City of Toronto. Records can be made available in Excel, Access or any other format available.
Tokens prepared for LDA: ['record', 'accident', 'vehicle', 'transportation', 'occur', 'january', 'december', 'toronto', 'record', 'available', 'excel', 'access', 'format', 'available']
Original Request: All e-mail communication (all assigned Councillor's e-mail addresses) between {individual's } and Councillor Augimeri and/or Councillor Augimeri's staff from Jan. 1, 2011 to March 26, 2014.
Tokens prepared for LDA: ['communication', 'assign', 'councillor', 'address', 'individual', 'councillor', 'augimeri', 'and/or', 'councillor', 'augimeri', 'staff', 'january', 'march']
Original Request: Copies of all building permit records from Jan. 1, 1913 to Jan. 1 1999 for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'record', 'january', 'january']
Original Request: Requesting the reason given by the applicant for a permit to cut down a mature, seemingly healthy maple tree in the backyard of {}. Tree was cut down on Mar. 25, 2014.
Tokens prepared for LDA: ['request', 'reason', 'applicant', 'permit', 'mature', 'seemingly', 'healthy', 'maple', 'backyard', 'march']
Original Request: Copies of specific file contents and drawings for multiple permits issued to () from 1993 to 2010.
Tokens prepared for LDA: ['copy', 'specific', 'content', 'drawing', 'multiple', 'permit', 'issue']
Original Request: Video created by Rob Ford's driver on April 1, 2014 of Janet Davis talking to reporters. Also any records as to who instructed him to create that record and why. Please search Rob Ford's e-mail and his driver's, especially driver's.
Tokens prepared for LDA: ['video', 'create', 'driver', 'april', 'janet', 'davis', 'reporter', 'record', 'instruct', 'create', 'record', 'search', 'driver', 'especially', 'driver']
Original Request: Copies of all inspection reports regarding building maintainance for {} from May 2009 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'regard', 'build', 'maintainance', 'present']
Original Request: The total number of deaths occurring in licensed day care facilities in the City of Toronto between Jan. 1, 2011 to Jan. 1, 2014
Tokens prepared for LDA: ['total', 'death', 'occur', 'license', 'facility', 'toronto', 'january', 'january']
Original Request: All records pertaining to the Nov. 18, 2013 Toronto Council meeting, specifically video shot by Rob Ford's driver within Council Chambers during actual meeting; as instructed by the Mayor.
Tokens prepared for LDA: ['record', 'pertain', 'november', 'toronto', 'council', 'specifically', 'video', 'shoot', 'driver', 'council', 'chambers', 'actual', 'instruct', 'mayor']
Original Request: Records showing the job description and job posting of Rob Ford's driver, also his previous job description and job posting as a prior member of COT Corporate Security.
Tokens prepared for LDA: ['record', 'description', 'driver', 'previous', 'description', 'prior', 'member', 'corporate', 'security']
Original Request: Copies of permits issued from Jan. 1, 2012 to Nov15, 2012 for road cutting in the roadway of Dufferin St. at the intersection of Milky Way. Including contract/job details, insurance cert. and information pertaining to damaged Bell Canada manhole.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'january', 'nov15', 'roadway', 'dufferin', 'intersection', 'milky', 'include', 'contract', 'insurance', 'information', 'pertain', 'damage', 'canada', 'manhole']
Original Request: A copy of permit # {} for property addition at {} in 1996 and proof that permit is closed.
Tokens prepared for LDA: ['permit', 'property', 'addition', 'proof', 'permit', 'close']
Original Request: Any and all records of contact between ML&S and {individual's } of {} regarding complaint against {organization's } from 2010 to present.
Tokens prepared for LDA: ['record', 'contact', 'individual', 'regard', 'complaint', 'organization', 'present']
Original Request: Detailed delivery instructions from COT to {Organization's } regarding flyer package deliveries ordered by Councillor Palacio for: May 18, 2013.
Tokens prepared for LDA: ['detail', 'delivery', 'instruction', 'organization', 'regard', 'flyer', 'package', 'delivery', 'order', 'councillor', 'palacio']
Original Request: All records of complaints relating to the management and maintenance of the property at {} from 2005 to 2013, including 311 calls and its predecessor system of recording complaints.
Tokens prepared for LDA: ['record', 'complaint', 'relate', 'management', 'maintenance', 'property', 'include', 'predecessor', 'record', 'complaint']
Original Request: Copies of the following from 1999-2014: Occupancy Permit/ authorization to occupy, file #00-329186 AO Conversion of use to residential building on 1st, 2nd, 3rd and 4th floors of {}, file #99-010322 ref. #99-0175
Tokens prepared for LDA: ['copy', 'follow', 'occupancy', 'permit/', 'authorization', 'occupy', '329186', 'conversion', 'residential', 'build', 'floor', '010322']
Original Request: Copies of the following from 1998-2014, Assessment Roll No. {number removed}: Conversion of use to residential building on the 2nd, 3rd and 4th floors of {}, file #99-250047 ref. #98-00975
Tokens prepared for LDA: ['copy', 'follow', 'assessment', 'remove', 'conversion', 'residential', 'build', 'floor', '250047', '00975']
Original Request: All documents, i.e. building permits and sign offs issued for {}.
Tokens prepared for LDA: ['document', 'build', 'permit', 'issue']
Original Request: Building inspector's notes for the renovation work that took place at {} from March 2012 to March 2013. The building permit number is 12-179480 and the inspector was Nzir Hirji.
Tokens prepared for LDA: ['building', 'inspector', 'renovation', 'place', 'march', 'march', 'build', 'permit', '179480', 'inspector', 'hirji']
Original Request: All correspondence to/from the Mayor or members of the Mayor's Office mentioning the @ToMayorFrod (TOMAYORFROD) Twitter account. Also any electronic correspondence from the Mayor's Office to/from Twitter.com from May 1, 2013 to Feb. 28, 2014.
Tokens prepared for LDA: ['correspondence', 'mayor', 'member', 'mayor', 'office', 'mention', '@tomayorfrod', 'tomayorfrod', 'twitter', 'account', 'electronic', 'correspondence', 'mayor', 'office', 'twitter.com', 'february']
Original Request: Any and all work orders or compliance letters regarding {} for roof and property repairs to be made from Oct. 1, 2012 to April 1, 2014.
Tokens prepared for LDA: ['order', 'compliance', 'letter', 'regard', 'property', 'repair', 'october', 'april']
Original Request: A copy of the accident report, all the class notes and any other documents from Earl Bales Ski Centre relating to {individual's } who had an accident on March 12, 2014 attending a learn-to-ski beginner March Break camp.
Tokens prepared for LDA: ['accident', 'report', 'class', 'document', 'bale', 'centre', 'relate', 'individual', 'accident', 'march', 'attend', 'learn', 'beginner', 'march', 'break']
Original Request: Copy of case file from 311 and ML&S for {} from April 1, 2011 to July 30, 2011. The issue related to flooding basement caused by leakage of water into foundation from backyard.
Tokens prepared for LDA: ['april', 'issue', 'relate', 'flood', 'basement', 'cause', 'leakage', 'water', 'foundation', 'backyard']
Original Request: Copy of record of any documentation for the investigation of complaint filed for no heating in {} from March 4 to March 17, 2014.
Tokens prepared for LDA: ['record', 'documentation', 'investigation', 'complaint', 'march', 'march']
Original Request: Any notes, reports, e-mails or memos prepared or received by City Hall Corporate Security between 8:00 p.m. on Saturday, April 5, 2014, and noon on Monday April 7, 2014.
Tokens prepared for LDA: ['report', 'prepare', 'receive', 'corporate', 'security', 'saturday', 'april', 'monday', 'april']
Original Request: Any notes, reports, e-mails or memos prepared or received by City Hall Corporate Security between 8:00 p.m. on Saturday, April 5, 2014, and noon on Monday April 7, 2014.
Tokens prepared for LDA: ['report', 'prepare', 'receive', 'corporate', 'security', 'saturday', 'april', 'monday', 'april']
Original Request: A copy of inspection report for {} regarding noise generated by refrigerator from June 2013 to October 10, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'noise', 'generate', 'refrigerator', 'october']
Original Request: Copies of building permit # 05-204797 for {} including inspection notes and records showing open permits.
Tokens prepared for LDA: ['copy', 'build', 'permit', '204797', 'include', 'inspection', 'record', 'permit']
Original Request: Records of any ML&S orders issued to {} pertaining to maintenance issues, including inspection reports or complaints from 2011 to 2014.
Tokens prepared for LDA: ['record', 'order', 'issue', 'pertain', 'maintenance', 'issue', 'include', 'inspection', 'report', 'complaint']
Original Request: Public health records including those of past staff showing any and everything pertaining to {individual's } and family at {} Including police, College of Nurses, College of Physicians & Surgeons, city staff, computer records, memos etc.
Tokens prepared for LDA: ['public', 'health', 'record', 'include', 'staff', 'pertain', 'individual', 'family', 'include', 'police', 'college', 'nurse', 'college', 'physician', 'surgeon', 'staff', 'computer', 'record']
Original Request: Security sign in/out records from Ashbridges Bay Water Treatment Plant on Oct. 1, 2013 pertaining to Frontier Utility staff: {individual's }, {individual's } and {individual's } who were assigned on site at this location.
Tokens prepared for LDA: ['security', 'record', 'ashbridges', 'water', 'treatment', 'plant', 'october', 'pertain', 'frontier', 'utility', 'staff', 'individual', 'individual', 'individual', 'assign', 'location']
Original Request: Any records on file relating to installation of water and sewer lines or extension from {} to {} previously known as }. Also, a copy of the easement agreement between previous owner of {} and COT.
Tokens prepared for LDA: ['record', 'relate', 'installation', 'water', 'sewer', 'extension', 'previously', 'easement', 'agreement', 'previous', 'owner']
Original Request: Records of the mailing addresses and full name(s) of person(s) who filed complaint on March 31, 2014 to Toronto Animal Services re: by-law violation ref. # 14-005056; failure to muzzle and animal posing menace to public.
Tokens prepared for LDA: ['record', 'address', 'name(s', 'person(s', 'complaint', 'march', 'toronto', 'animal', 'services', 'violation', '005056', 'failure', 'muzzle', 'animal', 'menace', 'public']
Original Request: A copy of inspection reports for {} indicating problems or issues still outstanding from 2004 to present.
Tokens prepared for LDA: ['inspection', 'report', 'indicate', 'problem', 'issue', 'outstanding', 'present']
Original Request: Copies of all documentation relating to reports, recommendations, inspections , diaries and work orders with respect to {} claim # {number removed}, regarding the trees in and around the property from Jan. 1990 to Jan. 2013.
Tokens prepared for LDA: ['copy', 'documentation', 'relate', 'report', 'recommendation', 'inspection', 'diary', 'order', 'respect', 'claim', 'remove', 'regard', 'property', 'january', 'january']
Original Request: Reasons why the following five establishments received conditional passes under the DineSafe program; number of children served; all workers, volunteers and children who have registered with the centres; info on why they did not pass the test.
Tokens prepared for LDA: ['reason', 'follow', 'establishment', 'receive', 'conditional', 'dinesafe', 'program', 'child', 'serve', 'worker', 'volunteer', 'child', 'register', 'centre']
Original Request: A copy of soil report pertaining to sub-surface investigation for {company } Dec. 1966 and engineers letters by {Company } from 1969 to 1970. Regarding {}.
Tokens prepared for LDA: ['report', 'pertain', 'surface', 'investigation', 'company', 'december', 'engineer', 'letter', 'company', 'regard']
Original Request: Copies of permits and documents issued to {} from 1940 to present.
Tokens prepared for LDA: ['copy', 'permit', 'document', 'issue', 'present']
Original Request: All orders issued to the entire building at {} under the names {company } or any other properties of this name, pertaining to disrepair from Jan. 2005 to Apr. 2014 including Toronto Building
Tokens prepared for LDA: ['order', 'issue', 'entire', 'build', 'company', 'property', 'pertain', 'disrepair', 'january', 'april', 'include', 'toronto', 'building']
Original Request: Record of City Hall Security e-mails and or reports regarding Mayor Ford's visit to City Hall the evening and or early morning of Saturday, April 5, 2014 into Sunday, April 6, 2014.
Tokens prepared for LDA: ['record', 'security', 'report', 'regard', 'mayor', 'visit', 'early', 'morning', 'saturday', 'april', 'sunday', 'april']
Original Request: A copy of inspection report #. 262-8754 for {} pertaining to broken fence posing hazard on shared property with neighbour. Records search to be from Apr. 3-9, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'break', 'fence', 'hazard', 'share', 'property', 'neighbour', 'record', 'search', 'april']
Original Request: Any and all documents including but not limited to reports, e-mails, memos and other records relating to Mayor Rob Ford's presence at City Hall on Saturday Apr. 5, 2014 and Sunday Apr. 6, 2014. Records search to be from Apr. 5, 2014 to Apr. 7, 2014.
Tokens prepared for LDA: ['document', 'include', 'limit', 'report', 'record', 'relate', 'mayor', 'presence', 'saturday', 'april', 'sunday', 'april', 'record', 'search', 'april', 'april']
Original Request: The name and address of the dog owner, the first name is {individual's }, cell # {number removed} whose dog attacked a dog belonging to {individual's } in which the victim dog lost an eye. Animal Services file # A14-002377. Records required for small claims court.
Tokens prepared for LDA: ['address', 'owner', 'individual', 'remove', 'attack', 'belong', 'individual', 'victim', 'animal', 'services', '002377', 'record', 'require', 'small', 'claim', 'court']
Original Request: A copy of animal control report # A14001588 pertaining to a dog biting incident on Feb. 3, 2014. Dog owners of Greyhounds: {individual's } and {individual's }.
Tokens prepared for LDA: ['animal', 'control', 'report', 'a14001588', 'pertain', 'incident', 'february', 'owner', 'greyhound', 'individual', 'individual']
Original Request: Property tax payment history on the legal units for {} from Jan. 1, 2009 to Dec. 3, 2012 19-01-11-1-260-00497, 19-01-11-1-260-11496, 19-01-11-1-260-00539 19-01-11-1-260-00540, 19-01-11-1-260-00541, 19-01-11-1-260-00538 etc.
Tokens prepared for LDA: ['property', 'payment', 'history', 'legal', 'january', 'december', '00497', '11496', '00539', '00540', '00541', '00538']
Original Request: Copies of building inspection certificates for {} pertaining to severance, from 1999 to present.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'certificate', 'pertain', 'severance', 'present']
Original Request: Building permit and committee of adjustments ruling information for {} from 1986 -1998.
Tokens prepared for LDA: ['building', 'permit', 'committee', 'adjustment', 'information', '-1998']
Original Request: Any City Hall security reports regarding Mayor Rob Ford, including any relevant security camera footage of the Mayor from Mar. 15-16, 2014.
Tokens prepared for LDA: ['security', 'report', 'regard', 'mayor', 'include', 'relevant', 'security', 'camera', 'footage', 'mayor', 'march']
Original Request: Records of any City Hall Security reports filed regarding the night of Apr. 5, 2014 and the morning of Apr. 6, 2014. Any camera footage of Mayor Rob Ford the night of Apr. 5, 2014.
Tokens prepared for LDA: ['record', 'security', 'report', 'regard', 'night', 'april', 'morning', 'april', 'camera', 'footage', 'mayor', 'night', 'april']
Original Request: An electronic copy of the south district (not only Ward 18) SAP numbers for 2013 income and expenditures, for Parks Forestry and Recreation, pertaining to identifying SAP variance and omissions.
Tokens prepared for LDA: ['electronic', 'south', 'district', 'number', 'income', 'expenditure', 'parks', 'forestry', 'recreation', 'pertain', 'identify', 'variance', 'omission']
Original Request: An electronic copy of Dufferin Grove's expense/income details for 2013 and the first three months of 2014 (Jan.1 2014 until Mar. 31 2014).
Tokens prepared for LDA: ['electronic', 'dufferin', 'grove', 'expense', 'income', 'month', 'jan.1', 'march']
Original Request: Records of applications for permits and or permits obtained by the owner of {} from 2009 to present.
Tokens prepared for LDA: ['record', 'application', 'permit', 'permit', 'obtain', 'owner', 'present']
Original Request: All records of any kind held by COT in relation to {} and landlords {individuals' names removed} from 2012 to present including by-law enforcement and building records.
Tokens prepared for LDA: ['record', 'relation', 'landlord', 'individual', 'remove', 'present', 'include', 'enforcement', 'build', 'record']
Original Request: All building permits and inspection notes for {} including all COT Building by-laws from 1900- 1976.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'include', 'building', '1900-']
Original Request: All records pertaining to the sale, transfer, trade, donation or disposition of motmots and Parrots (including cockatoos) from the Toronto Zoo to any other party.
Tokens prepared for LDA: ['record', 'pertain', 'transfer', 'trade', 'donation', 'disposition', 'motmot', 'parrot', 'include', 'cockatoo', 'toronto', 'party']
Original Request: Copies of all reports received by the Ministry of the Environment (including the Spills Action Centre) from the City of Toronto concerning wastewater treatment plant bypasses and combined sewer overflow events that occurred in Toronto.
Tokens prepared for LDA: ['copy', 'report', 'receive', 'ministry', 'environment', 'include', 'spill', 'action', 'centre', 'toronto', 'concern', 'wastewater', 'treatment', 'plant', 'bypass', 'combine', 'sewer', 'overflow', 'event', 'occur', 'toronto']
Original Request: The names of the furniture manufacturers, companies and dealers that placed bids on RFQ 1004-14-3053 from March 25, 2014 to April 7, 2014.
Tokens prepared for LDA: ['furniture', 'manufacturer', 'company', 'dealer', 'place', 'march', 'april']
Original Request: Copies of the annual combined sewer overflow report(s) submitted to Environment Canada for wastewater systems owned or operated by the COT with combined sewer overflows for the calendar year 2013.
Tokens prepared for LDA: ['copy', 'annual', 'combine', 'sewer', 'overflow', 'report(s', 'submit', 'environment', 'canada', 'wastewater', 'operate', 'combine', 'sewer', 'overflow', 'calendar']
Original Request: Records of renovations performed at {}; when they were performed and by whom; Specifically renovations done by the {family } family between 1973 onwards, prior to May 9, 1952.
Tokens prepared for LDA: ['record', 'renovation', 'perform', 'perform', 'specifically', 'renovation', 'family', 'family', 'onward', 'prior']
Original Request: A copy of report for pipeline inspection conducted on Apr. 4, 2014 for {} pertaining to flooding of synagogue at address on Apr. 1, 2014, 311 ref. # 2625257. Reports should detail at what point the blockage occurred.
Tokens prepared for LDA: ['report', 'pipeline', 'inspection', 'conduct', 'april', 'pertain', 'flood', 'synagogue', 'address', 'april', '2625257', 'report', 'point', 'blockage', 'occur']
Original Request: Records of any contractor or contractors hired by the City of Toronto to do road reconstruction and or water or sewer work at the area near Burnhamthorpe Rd., between The East Mall and Appleby Road from June 17, 2012 to September 24, 2012.
Tokens prepared for LDA: ['record', 'contractor', 'contractor', 'toronto', 'reconstruction', 'water', 'sewer', 'burnhamthorpe', 'appleby', 'september']
Original Request: A copy of report for inspection conducted on Feb. 27, 2014 @ 10:45 a.m. at {} , investigation # {number removed}. Inspector, Domenic Librandi.
Tokens prepared for LDA: ['report', 'inspection', 'conduct', 'february', '10:45', 'investigation', 'removed}.', 'inspector', 'domenic', 'librandi']
Original Request: A copy of written notice to tenant {individual's } of {} on Jan. 20, 2014 following contact made with Animal Services on Jan. 20, 2014 and subsequent investigation at address.
Tokens prepared for LDA: ['write', 'notice', 'tenant', 'individual', 'january', 'follow', 'contact', 'animal', 'services', 'january', 'subsequent', 'investigation', 'address']
Original Request: Records on the sale of Standard Taxicabs in COT between Jan. 1, 2014 and April 15, 2014 including name of sellers and buyers for each transaction, date on which the taxicab was sold, price reported as sold; any Excel spreadsheet of this data that exists.
Tokens prepared for LDA: ['record', 'standard', 'taxicab', 'january', 'april', 'include', 'seller', 'buyer', 'transaction', 'taxicab', 'price', 'report', 'excel', 'spreadsheet', 'datum', 'exist']
Original Request: Copies of security logs, e-mails or other communication related to Mayor Ford being at City Hall on Saturday Mar. 15, 2014 to Sunday Mar. 16, 2014.
Tokens prepared for LDA: ['copy', 'security', 'communication', 'relate', 'mayor', 'saturday', 'march', 'sunday', 'march']
Original Request: Copies of security logs, e-mails or other communication related to Mayor Ford being at City Hall on Saturday Apr. 5, 2014 to Sunday Apr. 6, 2014.
Tokens prepared for LDA: ['copy', 'security', 'communication', 'relate', 'mayor', 'saturday', 'april', 'sunday', 'april']
Original Request: Copies of security logs, e-mails or other communication related to Mayor Ford being at City Hall on Saturday Apr. 5, 2014 to Sunday Apr. 6, 2014.
Tokens prepared for LDA: ['copy', 'security', 'communication', 'relate', 'mayor', 'saturday', 'april', 'sunday', 'april']
Original Request: Any City Hall Security logs, records or reports pertaining to Mayor Rob Ford's presence at City Hall the weekend of April 5-6, 2014.
Tokens prepared for LDA: ['security', 'record', 'report', 'pertain', 'mayor', 'presence', 'weekend', 'april']
Original Request: Complete file in relation to {address, plan and lot number removed} in connection with the COT attendance at the property. For the period of December 1, 2013 to present or April 14. 2014, whichever is later.
Tokens prepared for LDA: ['complete', 'relation', 'address', 'remove', 'connection', 'attendance', 'property', 'period', 'december', 'present', 'april', 'whichever']
Original Request: Complete file in relation to {} {Plan and lot ID removed} in connection with the COT's attendance at the property. For the period of September 1, 2013 to March 31, 2014.
Tokens prepared for LDA: ['complete', 'relation', 'remove', 'connection', 'attendance', 'property', 'period', 'september', 'march']
Original Request: Records of e-mails or other written communication authored over the past 18 months by Lisa Marcello and Elio Capizzano of Transportation Services regarding {}.
Tokens prepared for LDA: ['record', 'write', 'communication', 'author', 'month', 'marcello', 'capizzano', 'transportation', 'services', 'regard']
Original Request: A copy of application and permit for tree cutting at the property line between {} in 2011.
Tokens prepared for LDA: ['application', 'permit', 'property']
Original Request: Any and all information as to the expenses reported by Trustee and then Councillor Olivia Chow including office expenses and financial disclosure for all years she sat as a School Board Trustee and as a City Councillor from Nov. 1, 1985 to Jan. 1, 2006.
Tokens prepared for LDA: ['information', 'expense', 'report', 'trustee', 'councillor', 'olivia', 'include', 'office', 'expense', 'financial', 'disclosure', 'school', 'board', 'trustee', 'councillor', 'november', 'january']
Original Request: Records of the registered use of site located at {} as far back as possible. Record search to include: Toronto Public Health, historical land use database, lead reduction zones and infill zones.
Tokens prepared for LDA: ['record', 'register', 'locate', 'possible', 'record', 'search', 'include', 'toronto', 'public', 'health', 'historical', 'database', 'reduction', 'infill']
Original Request: Records of all 311 calls made by {} since Feb. 2011 pertaining to{} regarding garbage on property or bins left on street. Also 311 calls made pertaining to MLS issues since Feb. 2011.
Tokens prepared for LDA: ['record', 'february', 'pertain', 'regard', 'garbage', 'property', 'leave', 'street', 'pertain', 'issue', 'february']
Original Request: Any soil or groundwater results for any geotechnical or subsurface environmental investigations on file for the City lands at 1091 Eastern Ave., Gage Rugby field and M &T pumping Stations of the Ashbridges Bay Treatment Plant.
Tokens prepared for LDA: ['groundwater', 'result', 'geotechnical', 'subsurface', 'environmental', 'investigation', 'eastern', 'rugby', 'field', 'stations', 'ashbridges', 'treatment', 'plant']
Original Request: The identity of the person who has complained about dogs belonging to {individual's } at {}. Notice # A 13-009539 and A13-009645.
Tokens prepared for LDA: ['identity', 'person', 'complain', 'belong', 'individual', 'notice', '009539', '009645']
Original Request: A copy of records related to the curb stop on {}, detailing the last replacement or move date for the curb; to identify how this stop is connected to property service line at {}.
Tokens prepared for LDA: ['record', 'relate', 'replacement', 'identify', 'connect', 'property', 'service']
Original Request: Records from fire services pertaining to fire which occurred on March 27, 2014 at {Company's } located on {} had a working sprinkler system at the time of the fire.
Tokens prepared for LDA: ['record', 'service', 'pertain', 'occur', 'march', 'company', 'locate', 'sprinkler']
Original Request: A copy of sketch for front yard parking at {} including any requests for additional ramping, complaints regarding the parking pad as well as information pertaining to use by way of entry and exiting of the pad.
Tokens prepared for LDA: ['sketch', 'include', 'request', 'additional', 'complaint', 'regard', 'information', 'pertain', 'entry']
Original Request: Any information or reports that were prepared by City Staff in anticipation of the motion put forth by Councillor Joe Mihevc which was, "Investigating the feasibility of Allowing Backyard Hens in Toronto" from Jan. 1, 2008 to April 14, 2014.
Tokens prepared for LDA: ['information', 'report', 'prepare', 'staff', 'anticipation', 'motion', 'forth', 'councillor', 'mihevc', 'investigating', 'feasibility', 'allow', 'backyard', 'toronto', 'january', 'april']
Original Request: Records of all open building permits for {}.
Tokens prepared for LDA: ['record', 'build', 'permit']
Original Request: Record of which construction company or contractor was in charge of the construction site on {} on or about Apr. 4, 2013.
Tokens prepared for LDA: ['record', 'construction', 'company', 'contractor', 'charge', 'construction', 'april']
Original Request: All ML&S complaints, inspection records and violations filed against the landlord of {} and the entire building from Jan. 2011 to present.
Tokens prepared for LDA: ['complaint', 'inspection', 'record', 'violation', 'landlord', 'entire', 'build', 'january', 'present']
Original Request: Record of fire code violations for {} and any outstanding orders from these violations from Jan 2013 to present.
Tokens prepared for LDA: ['record', 'violation', 'outstanding', 'order', 'violation', 'present']
Original Request: A complete copy of all building permits, records, correspondence, applications, and plans relating to the property at {} from Jan 2011 to Dec. 2012.
Tokens prepared for LDA: ['complete', 'build', 'permit', 'record', 'correspondence', 'application', 'relate', 'property', 'december']
Original Request: Copies of orders issued by ML&S to {} including orders and documents issued by Public Health from Apr. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'include', 'order', 'document', 'issue', 'public', 'health', 'april', 'present']
Original Request: Any complaints or interaction with COT Building, ML&S and Fire departments regarding {} from Oct. 1, 2010 to Apr. 24, 2014
Tokens prepared for LDA: ['complaint', 'interaction', 'building', 'department', 'regard', 'october', 'april']
Original Request: Any complaints or interaction with COT Building, ML&S and Fire departments regarding {} from Jan. 14, 2002 to Apr. 24, 2014.
Tokens prepared for LDA: ['complaint', 'interaction', 'building', 'department', 'regard', 'january', 'april']
Original Request: Any complaints or interaction with COT Building, ML&S and Fire departments regarding {} from Jan. 1, 1995 to Apr. 24, 2014
Tokens prepared for LDA: ['complaint', 'interaction', 'building', 'department', 'regard', 'january', 'april']
Original Request: A copy of building inspection report for addition in 2001at {}. There was only one inspection in 2001.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'addition', '2001at', 'inspection']
Original Request: Any and all reports by ML&S officers, Toronto Police and the public regarding noise levels at {} from Apr. 25, 2012 to Apr. 25, 2014.
Tokens prepared for LDA: ['report', 'officer', 'toronto', 'police', 'public', 'regard', 'noise', 'level', 'april', 'april']
Original Request: A copy of notice of violation, folder # 13 276708 ZON 00 IV pertaining to complaint made on or about Dec. 12, 2013 including the identity of the individual who complained and why.
Tokens prepared for LDA: ['notice', 'violation', 'folder', '276708', 'pertain', 'complaint', 'december', 'include', 'identity', 'individual', 'complain']
Original Request: Any information regarding by-law infraction notice issued to {} regarding the keeping of prohibited chickens. Notice issue date Nov. 18, 2013, complaint # {number removed}, officer badge # 169. Record search form Apr. 14, 2013 to Apr. 14, 2014
Tokens prepared for LDA: ['information', 'regard', 'infraction', 'notice', 'issue', 'regard', 'prohibit', 'chicken', 'notice', 'issue', 'november', 'complaint', 'remove', 'officer', 'badge', 'record', 'search', 'april', 'april']
Original Request: Complete file copy including photographs and correspondence of file # 13 277610 PRS 00IV for {} roll # 1919. Inspector Frank D'Amico. Record search from Dec. 1, 2013 to Apr. 24, 2014.
Tokens prepared for LDA: ['complete', 'include', 'photograph', 'correspondence', '277610', 'inspector', 'frank', "d'amico", 'record', 'search', 'december', 'april']
Original Request: The identity of the person who signed memo: Application for Fire Route Prevention, {} dated Aug. 19, 2013, in relation to FOI 2014-00614. Also a copy of the fire route application to see who made the application.
Tokens prepared for LDA: ['identity', 'person', 'application', 'route', 'prevention', 'august', 'relation', '00614', 'route', 'application', 'application']
Original Request: Any work orders, citizen complaints pertaining to specific road quality conditions (i.e. reported issues and concerns about injuries, uneven pavement, potholes or ruts in the road), road conditions, construction permits, road repair reports etc.
Tokens prepared for LDA: ['order', 'citizen', 'complaint', 'pertain', 'specific', 'quality', 'condition', 'report', 'issue', 'concern', 'injury', 'uneven', 'pavement', 'pothole', 'condition', 'construction', 'permit', 'repair', 'report']
Original Request: Records of the entire Mimico Secondary File which is an area or neighbourhood plan created under the Toronto Official Plan and in accordance with the City's open transparent and accountability policy for citizens.
Tokens prepared for LDA: ['record', 'entire', 'mimico', 'secondary', 'neighbourhood', 'create', 'toronto', 'official', 'accordance', 'transparent', 'accountability', 'policy', 'citizen']
Original Request: A complete copy of COT Metro License Commission records for {individual's } form Jul. 2, 2008 to present.
Tokens prepared for LDA: ['complete', 'metro', 'license', 'commission', 'record', 'individual', 'present']
Original Request: Records of {Company's } being assigned work on a pre-casting project awarded {Company's } in Mar. 2013 at the Ashbridges Bay Water Treatment Plant.
Tokens prepared for LDA: ['record', 'company', 'assign', 'project', 'award', 'company', 'march', 'ashbridges', 'water', 'treatment', 'plant']
Original Request: City Hall security records that related to Mayor Rob Ford's activity in or around City Hall on April 5, 2014 and April 6,2014. These should include incident reports or logs.
Tokens prepared for LDA: ['security', 'record', 'relate', 'mayor', 'activity', 'april', 'april', '6,2014', 'include', 'incident', 'report']
Original Request: City Hall security records that related to Mayor Rob Ford's activity in or around City Hall on April 5, 2014 and April 6,2014. These should include incident reports or logs.
Tokens prepared for LDA: ['security', 'record', 'relate', 'mayor', 'activity', 'april', 'april', '6,2014', 'include', 'incident', 'report']
Original Request: Pertaining to application for flood prevention rebate for {} the following is requested: the full name of Toronto Water inspector, inspection dates, complete note details including those for sump pump inspection and drain pipes.
Tokens prepared for LDA: ['pertain', 'application', 'flood', 'prevention', 'rebate', 'follow', 'request', 'toronto', 'water', 'inspector', 'inspection', 'complete', 'include', 'inspection', 'drain']
Original Request: A copy of maintenance logs, any policies pertaining to snow removal and or salting and sanding for the sidewalk at Borden Street.
Tokens prepared for LDA: ['maintenance', 'policy', 'pertain', 'removal', 'sidewalk', 'borden', 'street']
Original Request: Record of building permits issued to {} from Jan. 1, 2009 to Jan. 1, 2014.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'january', 'january']
Original Request: A copy of inspection report from Toronto Water for {}, Scarborough. The reference number is 2879716.
Tokens prepared for LDA: ['inspection', 'report', 'toronto', 'water', 'scarborough', 'reference', '2879716']
Original Request: A copy of complete Committee of Adjustment file # B-132-86 for {}.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'b-132']
Original Request: Full name and address of the owner of the dog which caused the attack, full name, address of the dog walking service known as {Company's } and a copy of the report from Animal Services relating to the incident occurred on March 4, 2014 at approx. 11.30 am
Tokens prepared for LDA: ['address', 'owner', 'cause', 'attack', 'address', 'service', 'company', 'report', 'animal', 'services', 'relate', 'incident', 'occur', 'march', 'approx', '11.30']
Original Request: Copies of all ML&S correspondence and orders issued to the landlord {individual's } relating to {} from June 1, 2013 to present. The case # is 2204436.
Tokens prepared for LDA: ['copy', 'correspondence', 'order', 'issue', 'landlord', 'individual', 'relate', 'present', '2204436']
Original Request: Records of repair work on thesidewalk on the north side of Lakeshore Blvd. West, west of Royal York Rd. in front of 2688 Lakeshore Blvd. W. In particular, when this sidewalk was last inspected for disrepair prior to Nov. 21, 2013 and how it was inspected.
Tokens prepared for LDA: ['record', 'repair', 'thesidewalk', 'north', 'lakeshore', 'royal', 'lakeshore', 'particular', 'sidewalk', 'inspect', 'disrepair', 'prior', 'november', 'inspect']
Original Request: Records from 311 and Parks and Forestry for a call made on Dec. 24, 2013 to request to cut the branches from city trees which were hanging on the driveway of {} Reference number is 229-0479.
Tokens prepared for LDA: ['record', 'parks', 'forestry', 'december', 'request', 'branch', 'driveway', 'reference']
Original Request: Information for investigation of water loss due to sewer flooding north of Old Sheppard Ave. and Brian Dr. intersection in Toronto from May 12, 2000 to Aug. 26, 2013.
Tokens prepared for LDA: ['information', 'investigation', 'water', 'sewer', 'flood', 'north', 'sheppard', 'brian', 'intersection', 'toronto', 'august']
Original Request: Technicians notes from {individual's }, {{individual's }, {{individual's }, {{individual's }; any System Response Reports (SRRs) or equivalent relating to the damaged electrical room at {} and references the water main break at Yonge and Eglinton.
Tokens prepared for LDA: ['technician', 'individual', 'individual', 'individual', 'individual', 'response', 'report', 'equivalent', 'relate', 'damage', 'electrical', 'reference', 'water', 'break', 'yonge', 'eglinton']
Original Request: Records of maintenance work carried out on March 11, 2013 as well as for the 5 years prior to March 11, 2013 in connection to the sewer lines at {}, including service records, maintenance, inspection, arborist reports, complaints.
Tokens prepared for LDA: ['record', 'maintenance', 'carry', 'march', 'prior', 'march', 'connection', 'sewer', 'include', 'service', 'record', 'maintenance', 'inspection', 'arborist', 'report', 'complaint']
Original Request: A copy of fire inspection report for {} including photographs of inspection by Janet Smith on Apr. 29, 2014. Also record of the request which triggered the inspection, particularly any allegations about tenants.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'photograph', 'inspection', 'janet', 'smith', 'april', 'record', 'request', 'trigger', 'inspection', 'particularly', 'allegation', 'tenant']
Original Request: A copy of plan for {} submission No. B-10/76; A-18/76; A-19/76 and notice of decision pertaining to application to build an additional semi unit on lot.
Tokens prepared for LDA: ['submission', 'b-10/76', 'a-18/76', 'a-19/76', 'notice', 'decision', 'pertain', 'application', 'build', 'additional']
Original Request: All records relating to parking infractions on or near the property of {} from 2002 to present.
Tokens prepared for LDA: ['record', 'relate', 'infraction', 'property', 'present']
Original Request: All ML&S records and complaint history from {} regarding {}. Date, time and reasons for by-law officers' visits to {}, from Jan. 1, 2002 to Nov. 30, 2004.
Tokens prepared for LDA: ['record', 'complaint', 'history', 'regard', 'reason', 'officer', 'visit', 'january', 'november']
Original Request: Statistics of complaints pertaining to illegal election signs and fines in Etobicoke-Lakeshore ward 6 areas during the provincial elections for Oct. 2011 (Sept. 1- Oct. 30, 2011); by elections for Sept. 2013 (Jun. 1 - Jul. 30, 2013).
Tokens prepared for LDA: ['statistics', 'complaint', 'pertain', 'illegal', 'election', 'etobicoke', 'lakeshore', 'provincial', 'election', 'october', 'september', 'october', 'election', 'september']
Original Request: All building inspection reports and/or property standards reports from City of Toronto officials such as building inspectors for {} from 1983 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'and/or', 'property', 'standard', 'report', 'toronto', 'official', 'build', 'inspector', 'present']
Original Request: A copy of the most recent Fire Department inspection for the premises at {}
Tokens prepared for LDA: ['recent', 'department', 'inspection', 'premise']
Original Request: All documentation relating to instances of flooding from neighbouring properties and instances of trepassing for {} from Jan. 1 ,2011 to Feb. 14, 2014.
Tokens prepared for LDA: ['documentation', 'relate', 'instance', 'flood', 'neighbour', 'property', 'instance', 'trepassing', 'january', 'february']
Original Request: City pipe / drain maintenance / repairs / work orders for {} and surrounding area.
Tokens prepared for LDA: ['drain', 'maintenance', 'repair', 'order', 'surround']
Original Request: All building permits issued by the City of Toronto in relation to {}, including any plans connected to these premises.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'toronto', 'relation', 'include', 'connect', 'premise']
Original Request: Any and all building permits, inspection notices and records for 2012 relating to {} from Jan. 1, 2012 to Dec. 31, 2012.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'notice', 'record', 'relate', 'january', 'december']
Original Request: Copies of past permits, inspection reports for {}, especially those for basement excavation and underpinning, from Jan. 1, 1970 to present.
Tokens prepared for LDA: ['copy', 'permit', 'inspection', 'report', 'especially', 'basement', 'excavation', 'underpin', 'january', 'present']
Original Request: All Toronto Animal Services documents related to case no. A14-007360, including personal officer notes and a copy of the "The Notice of Caution" given to dog owner at {}, from April 23, 2014 to present.
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'document', 'relate', '007360', 'include', 'personal', 'officer', 'notice', 'caution', 'owner', 'april', 'present']
Original Request: Documents on the Ashbridges Bay Storage and Maintenance Facility project.
Tokens prepared for LDA: ['document', 'ashbridges', 'storage', 'maintenance', 'facility', 'project']
Original Request: All building permits and inspection information on the driveway and garage for {}.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'information', 'driveway', 'garage']
Original Request: All permits and construction related documents including inspector and all consultant reports for entire building at {} from 2004 to present.
Tokens prepared for LDA: ['permit', 'construction', 'relate', 'document', 'include', 'inspector', 'consultant', 'report', 'entire', 'build', 'present']
Original Request: All building inspections reports, infractions, outstanding and open work or building permits for {}. The number of allocated indoor, outdoor parking spaces and registered units in the building.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'infraction', 'outstanding', 'build', 'permit', 'allocate', 'indoor', 'outdoor', 'space', 'register', 'build']
Original Request: Itemized account received by COT from {individual's na+D272me removed}, PFR, regarding work he was contracted to do in Guild, South Marine and other parks in the Guildwood area. Statement of receipt for the above as provided by COT.
Tokens prepared for LDA: ['itemize', 'account', 'receive', 'individual', 'na+d272me', 'remove', 'regard', 'contract', 'guild', 'south', 'marine', 'guildwood', 'statement', 'receipt', 'provide']
Original Request: Copies of all inspection reports, permits and other documents for {} ref. permit #. BLY 00 126 923, PLB 00169733 and HVAC 00171637.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'permit', 'document', 'permit', '00169733', '00171637']
Original Request: A sortable electronic document (such as a spreadsheet, database or .csv text file) showing a database of all reported collisions in Toronto from Jan. 1, 2000 to the most current available data.
Tokens prepared for LDA: ['sortable', 'electronic', 'document', 'spreadsheet', 'database', 'database', 'report', 'collision', 'toronto', 'january', 'current', 'available', 'datum']
Original Request: Records from the City of Toronto pertaining to any work done on the water main and sewage systems in the vicinity of {} on or around October 24, 2011.
Tokens prepared for LDA: ['record', 'toronto', 'pertain', 'water', 'sewage', 'vicinity', 'october']
Original Request: A copy of site plan agreement for {}, North York.
Tokens prepared for LDA: ['agreement', 'north']
Original Request: All relevant records related to ANY security incidents involving Mayor Ford from March 17, 2014 to the end of April 2014. These incidents include incidents on or around Easter Monday (April 21), and on or around Sat. April 12 (excluding April 5 and 6).
Tokens prepared for LDA: ['relevant', 'record', 'relate', 'security', 'incident', 'involve', 'mayor', 'march', 'april', 'incident', 'include', 'incident', 'easter', 'monday', 'april', 'april', 'exclude', 'april']
Original Request: All Public Health investigation results, reports regarding the {Company's } from 2011 to present.
Tokens prepared for LDA: ['public', 'health', 'investigation', 'result', 'report', 'regard', 'company', 'present']
Original Request: Snow load study, staging plan and soil study for {} and {} for condominium development by {Company's name @ }, Municipal File No. 12 144955 WET 13 0Z and OMB File No. PL 121139, from Jan. 1, 2012
Tokens prepared for LDA: ['study', 'stage', 'study', 'condominium', 'development', 'company', 'municipal', '144955', '121139', 'january']
Original Request: A list of current Toronto standard taxi plate owners, including addresses and or telephone numbers.
Tokens prepared for LDA: ['current', 'toronto', 'standard', 'plate', 'owner', 'include', 'address', 'telephone', 'number']
Original Request: Records of complaints from neighbours regarding {} from Jan. 1, 2014 to present. Investigation reports from: Peter Nelson, ML&S; Natalya Plotnikova, Public Health; Kenneth Stevens, ML&S and Vito Petrozza, Toronto Building.
Tokens prepared for LDA: ['record', 'complaint', 'neighbour', 'regard', 'january', 'present', 'investigation', 'report', 'peter', 'nelson', 'natalya', 'plotnikova', 'public', 'health', 'kenneth', 'stevens', 'petrozza', 'toronto', 'building']
Original Request: Records of complaints from Transportation Services, Fire Services, ML&S and Councillor Palacio's office regarding {} and {}, from Jan. 2009 to Dec. 2013, and 2014.
Tokens prepared for LDA: ['record', 'complaint', 'transportation', 'services', 'services', 'councillor', 'palacio', 'office', 'regard', 'january', 'december']
Original Request: Plans submitted to Committee of Adjustment for {} under file # AO716-13TEY.
Tokens prepared for LDA: ['plan', 'submit', 'committee', 'adjustment', 'ao716', '13tey']
Original Request: All building permit records for {}, all compliance letter and a copy of any business licence record for existing convenience store at the quoted location.
Tokens prepared for LDA: ['build', 'permit', 'record', 'compliance', 'letter', 'business', 'licence', 'record', 'exist', 'convenience', 'store', 'quote', 'location']
Original Request: Copies of the SMIS (Shelter Management Information System) for Eva's Satellite from Jan. 1, 2009 to May 1, 2014, with names redacted, in electronic / digital form, if possible.
Tokens prepared for LDA: ['copy', 'shelter', 'management', 'information', 'satellite', 'january', 'redact', 'electronic', 'digital', 'possible']
Original Request: Report from licensing office as to contractor not being licensed under file # B33482.
Tokens prepared for LDA: ['report', 'license', 'office', 'contractor', 'license', 'b33482']
Original Request: All records from COT that pertain to the tree removal or non removal from {} from Jan. 1, 2010 to present. Please include Forestry records from {}, {}, and Councillor Josh Colle.
Tokens prepared for LDA: ['record', 'pertain', 'removal', 'removal', 'january', 'present', 'include', 'forestry', 'record', 'councillor', 'colle']
Original Request: Original building permits for {} to confirm the number of dwelling units. Records search should be from 1966 to present.
Tokens prepared for LDA: ['original', 'build', 'permit', 'confirm', 'dwell', 'record', 'search', 'present']
Original Request: Certain records relating to zoning by-law violations (or allegation thereof) in relation to charging for visitor parking at {}, including, but not limited to, MLS investigation # 14 108815 ZON 00 IV, from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['certain', 'record', 'relate', 'violation', 'allegation', 'thereof', 'relation', 'charge', 'visitor', 'include', 'limit', 'investigation', '108815', 'january', 'present']
Original Request: Archival records on crime index to criminal registers. Also index for {individuals' names removed} who was active in the Communist Party.
Tokens prepared for LDA: ['archival', 'record', 'crime', 'index', 'criminal', 'register', 'index', 'individual', 'remove', 'active', 'communist', 'party']
Original Request: Violation order against {} from Nov. 2013 to Feb. 2014.
Tokens prepared for LDA: ['violation', 'order', 'november', 'february']
Original Request: Report from 311 (request # removed) and complaint record about heating and bathroom repairs for {} from 2011 to 2014.
Tokens prepared for LDA: ['report', 'request', 'remove', 'complaint', 'record', 'bathroom', 'repair']
Original Request: Any and all correspondence as it relates to the Aug. 20, 2012 e-mail referencing {}, specifically the identity of "she" as well as the "other report" and why she "doesn't want it to come forward this year".
Tokens prepared for LDA: ['correspondence', 'relate', 'august', 'reference', 'specifically', 'identity', 'report', 'forward']
Original Request: A copy of the service records for the sewer system for {} from 2001 to present, including, but not limited to report, photographs, documents and videotapes.
Tokens prepared for LDA: ['service', 'record', 'sewer', 'present', 'include', 'limit', 'report', 'photograph', 'document', 'videotape']
Original Request: Any documents from Toronto Building, fire prevention, ML&S and Toronto Water pertaining to {} from Jan. 1, 1953 to April 30, 2014.
Tokens prepared for LDA: ['document', 'toronto', 'building', 'prevention', 'toronto', 'water', 'pertain', 'january', 'april']
Original Request: All 311 service calls records, visits from City staff, work done regarding city water hook up for {}, from Dec. 1, 2013 to Jan. 21, 2014. Records from PFR tree protection plan review from 2013.
Tokens prepared for LDA: ['service', 'record', 'visit', 'staff', 'regard', 'water', 'december', 'january', 'record', 'protection', 'review']
Original Request: Records from 311 and ML&S relating to complaints filed against tenant of {} operating a business to repair wooden pallets from Dec. 2012 to present.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'tenant', 'operate', 'business', 'repair', 'wooden', 'pallet', 'december', 'present']
Original Request: Information with regards to the property type for {} or any other documents with property description.
Tokens prepared for LDA: ['information', 'regard', 'property', 'document', 'property', 'description']
Original Request: Details of all Standard Taxicab transfers of in the COT since Jan. 1, 2013, including information for each transfer or sale from Jan. 1, 2013 to May 9, 2014.
Tokens prepared for LDA: ['details', 'standard', 'taxicab', 'transfer', 'january', 'include', 'information', 'transfer', 'january']
Original Request: Project Preliminary Review, examiner's notice from Building for {}.
Tokens prepared for LDA: ['project', 'preliminary', 'review', 'examiner', 'notice', 'building']
Original Request: Information regarding a tree inspection in front of {} including date of visit, inspection result, a copy of the notice (or description thereof) provided to the resident from July 1, 2013 to Oct. 31, 2013.
Tokens prepared for LDA: ['information', 'regard', 'inspection', 'include', 'visit', 'inspection', 'result', 'notice', 'description', 'thereof', 'provide', 'resident', 'october']
Original Request: Records related to City interactions with Apollo Health and Beauty Care during this term of council. Same records obtained by Globe and Mail for the article titled "Ford brothers helped business client lobby city for tax break".
Tokens prepared for LDA: ['record', 'relate', 'interaction', 'apollo', 'health', 'beauty', 'council', 'record', 'obtain', 'globe', 'article', 'title', 'brother', 'business', 'client', 'lobby', 'break']
Original Request: Any pending building applications for {}; copies of any stop work orders, orders to comply, cease and desist letters, or other verbal or written warnings or other communications attempting to restrain building activity at this location.
Tokens prepared for LDA: ['build', 'application', 'order', 'order', 'comply', 'cease', 'desist', 'letter', 'verbal', 'write', 'warning', 'communication', 'attempt', 'restrain', 'build', 'activity', 'location']
Original Request: All relevant information relating to the City / TTC's request for proposals to put in a vent shaft at the intersection of Yonge St. and Wanless Ave. in 2012, including the proposals received by the City / TTC, winning bid.
Tokens prepared for LDA: ['relevant', 'information', 'relate', 'request', 'proposal', 'shaft', 'intersection', 'yonge', 'wanless', 'include', 'proposal', 'receive']
Original Request: Record of all orders issued to {} from Jan. 1, 2007 to Dec. 31, 2011 including photos and comments, as well as the total cost breakdown for each year from 2007-2010.
Tokens prepared for LDA: ['record', 'order', 'issue', 'january', 'december', 'include', 'photo', 'comment', 'total', 'breakdown']
Original Request: A complete copy of inspection report with notes and photos pertaining to Apr. 16, 2013 investigation # {number removed} at {}.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'photo', 'pertain', 'april', 'investigation', 'remove']
Original Request: Copies of all correspondence of any form including written and e-mail between the City (including but not limited to the department of Municipal Licensing and Standards) and {Company's } {company's } and {company's } agents.
Tokens prepared for LDA: ['copy', 'correspondence', 'include', 'write', 'include', 'limit', 'department', 'municipal', 'license', 'standard', 'company', 'company', 'company', 'agent']
Original Request: Building permits records, photos relating to the pre-fire building construction and assement for {}. The fire occured on March 3, 2014. Also, any firefighters' statements, photos, witness statements of the fire.
Tokens prepared for LDA: ['building', 'permit', 'record', 'photo', 'relate', 'build', 'construction', 'assement', 'occur', 'march', 'firefighter', 'statement', 'photo', 'witness', 'statement']
Original Request: Record of waterborne illnesses at City of Toronto fill-and-drain wading pools, with the dates and specifics of these illnesses, physical injuries and drowning from 2003 until present.
Tokens prepared for LDA: ['record', 'waterborne', 'illness', 'toronto', 'drain', 'specific', 'illness', 'physical', 'injury', 'drown', 'present']
Original Request: Copies of all building permits issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'possible', 'present']
Original Request: All communications between: - The Mayor's Office and {{individual's } - Councillor Mammoliti's office and {{individual's } - Councillor Ford's Office and {individual's } Record search from April 15, 2013 to May 13, 2013.
Tokens prepared for LDA: ['communication', 'mayor', 'office', 'individual', 'councillor', 'mammoliti', 'office', 'individual', 'councillor', 'office', 'individual', 'record', 'search', 'april']
Original Request: Record of site grading plan submitted for building application for in-fill housing located at {} from 2009 to 2014.
Tokens prepared for LDA: ['record', 'grade', 'submit', 'build', 'application', 'house', 'locate']
Original Request: All building records pertaining to roofing, structural and electrical issues at {} from January 1, 2006 to May 5, 2014.
Tokens prepared for LDA: ['build', 'record', 'pertain', 'structural', 'electrical', 'issue', 'january']
Original Request: Record of past and active building permits, violations, status of inspections, inspection reports and past and outstanding work orders for {} from December 1, 2007 to May 10, 2014.
Tokens prepared for LDA: ['record', 'active', 'build', 'permit', 'violation', 'status', 'inspection', 'inspection', 'report', 'outstanding', 'order', 'december']
Original Request: Any prior Fire Code violation records for {}.
Tokens prepared for LDA: ['prior', 'violation', 'record']
Original Request: A copy of complete telephone recording/transcript regarding slip and fall incident involving {individual's } which occurred on September 10, 2013 at the corner of Barse Street and Fairlawn Ave.
Tokens prepared for LDA: ['complete', 'telephone', 'record', 'transcript', 'regard', 'incident', 'involve', 'individual', 'occur', 'september', 'corner', 'barse', 'street', 'fairlawn']
Original Request: All engineer's reports, all complaints filed against this project, all building inspection reports, all infraction notices, all pictures and other related materials for {}, under permits 13-261-802 and 13-261-803.
Tokens prepared for LDA: ['engineer', 'report', 'complaint', 'project', 'build', 'inspection', 'report', 'infraction', 'notice', 'picture', 'relate', 'material', 'permit']
Original Request: Record of all drainage related information relevant to building permit for {}. Not limited to, but including the site-grading plan submitted with the building permit application and the lot grading certificate.
Tokens prepared for LDA: ['record', 'drainage', 'relate', 'information', 'relevant', 'build', 'permit', 'limit', 'include', 'grade', 'submit', 'build', 'permit', 'application', 'grade', 'certificate']
Original Request: Record of all permits issued to {} including a copy of the right of way agreement, instrument # 393402-A and the agreement on title with the corporation of Etobicoke regarding parking instrument # 302113. Record search prior to 2000.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'include', 'right', 'agreement', 'instrument', '393402-a', 'agreement', 'title', 'corporation', 'etobicoke', 'regard', 'instrument', '302113', 'record', 'search', 'prior']
Original Request: A copy of inspection order dated May 6, 2014 for {}. Toronto Fire inspector, Janet Leigh Smith.
Tokens prepared for LDA: ['inspection', 'order', 'toronto', 'inspector', 'janet', 'leigh', 'smith']
Original Request: A copy of inspection report with all notes, pertaining temperature readings for {}. Inspector, Christine Muccilli.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'temperature', 'reading', 'inspector', 'christine', 'muccilli']
Original Request: Record of confirmation that application for fence exemption for {} was submitted and whether or not it was approved.
Tokens prepared for LDA: ['record', 'confirmation', 'application', 'fence', 'exemption', 'submit', 'approve']
Original Request: A copy of Preliminary Project Review (PPR) for {}, prepared in 2010, but please extend the search from 2000 to 2012.
Tokens prepared for LDA: ['preliminary', 'project', 'review', 'prepare', 'extend', 'search']
Original Request: Cost of Taxi Public Review (excluding amounts for Taxi Research Partners) and including all costs for Taxi Review Activities (e.g. set up and events).
Tokens prepared for LDA: ['public', 'review', 'exclude', 'research', 'partner', 'include', 'review', 'activity', 'event']
Original Request: Record of waterborne illnesses at City of Toronto fill-and-drain wading pools, with the dates and specifics of these illnesses, physical injuries and drowning from the beginning of data collection to the end of 1992.
Tokens prepared for LDA: ['record', 'waterborne', 'illness', 'toronto', 'drain', 'specific', 'illness', 'physical', 'injury', 'drown', 'begin', 'datum', 'collection']
Original Request: Record of waterborne illnesses at City of Toronto fill-and-drain wading pools, with the dates and specifics of these illnesses, physical injuries and drowning from 1993 to the end of 2002.
Tokens prepared for LDA: ['record', 'waterborne', 'illness', 'toronto', 'drain', 'specific', 'illness', 'physical', 'injury', 'drown']
Original Request: Record of all permits issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'possible', 'present']
Original Request: A complete copy of inspection report along with notices of infractions for {} and record showing the designated use of the building. ML&S Inspector is Frank Basile.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'notice', 'infraction', 'record', 'designate', 'build', 'inspector', 'frank', 'basile']
Original Request: Sign permits for all signs on property at {} including permit applications and drawings.
Tokens prepared for LDA: ['permit', 'property', 'include', 'permit', 'application', 'drawing']
Original Request: Copies of all record disclosed by the City of Toronto to the {Organization's name} including e-mails, letters and memorandums, under the FOI Act regarding the economic development property tax grant provided to {Company's name}.
Tokens prepared for LDA: ['copy', 'record', 'disclose', 'toronto', 'organization', 'include', 'letter', 'memorandum', 'regard', 'economic', 'development', 'property', 'grant', 'provide', 'company', 'name}.']
Original Request: A copy of the employment services contract governing the final employer-employee relationship between City of Toronto and former Director, Transportation Planning, City of Toronto.
Tokens prepared for LDA: ['employment', 'service', 'contract', 'govern', 'final', 'employer', 'employee', 'relationship', 'toronto', 'director', 'transportation', 'planning', 'toronto']
Original Request: Copies of all building documents pertaining to third party signage at {}.
Tokens prepared for LDA: ['copy', 'build', 'document', 'pertain', 'party', 'signage']
Original Request: Copies of inspection reports from Toronto Building, MLS and Toronto Public Health for {}, pertaining to water damage in the basement washroom on Oct. 17, 2011. Records from October 2011to September 18, 2013.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'toronto', 'building', 'toronto', 'public', 'health', 'pertain', 'water', 'damage', 'basement', 'washroom', 'october', 'record', 'october', '2011to', 'september']
Original Request: Record of work orders for repairs done to water line supplying {} {Organization's } on or about March 20, 2013 which lasted for about 4 weeks subsequent to water line break.
Tokens prepared for LDA: ['record', 'order', 'repair', 'water', 'supply', 'organization', 'march', 'subsequent', 'water', 'break']
Original Request: Record of the identity and voice transcript of the individual who called 311 reference # {number removed}, on April 4, 2014 at 2:03 PM identifying him/herself as { {individual's } of {}.
Tokens prepared for LDA: ['record', 'identity', 'voice', 'transcript', 'individual', 'reference', 'remove', 'april', 'identify', 'individual']
Original Request: A copy of final inspection report for {} conducted on March 28, 2014. Officer, Rashid Madahey. Folder #. 14 133345 PRS OO IV
Tokens prepared for LDA: ['final', 'inspection', 'report', 'conduct', 'march', 'officer', 'rashid', 'madahey', 'folder', '133345']
Original Request: A copy of report for inspection on May 2, 2014 by Toronto Water for {} pertaining to issues of discolored water.
Tokens prepared for LDA: ['report', 'inspection', 'toronto', 'water', 'pertain', 'issue', 'discolor', 'water']
Original Request: Any correspondence, electronic or otherwise since Jan. 1, 2013 between the Exec. Dir. ML&S, Tracy Cook; Asst. to the director, Angelica Santos and Project Mgr. Taxi Industry Review, Vanessa Fletcher and {individual's }, {individual's } and {individual's }
Tokens prepared for LDA: ['correspondence', 'electronic', 'january', 'tracy', 'director', 'angelica', 'santos', 'project', 'industry', 'review', 'vanessa', 'fletcher', 'individual', 'individual', 'individual']
Original Request: All communication, briefing notes, draft speeches, talking points, and press releases prepared in advance of and after Mayor Ford's leave of absence, relating to his leave from Apr. 30, 2014 to May 13, 2014.
Tokens prepared for LDA: ['communication', 'brief', 'draft', 'speech', 'point', 'press', 'release', 'prepare', 'advance', 'mayor', 'leave', 'absence', 'relate', 'leave', 'april']
Original Request: A copy of maintenance records and reports on the status of main sewer lines on Searle Ave between Hove St. and Bryant St. Also for Hove St. between Cocksfield and Combe Ave. from Aug. 2011 to 2013.
Tokens prepared for LDA: ['maintenance', 'record', 'report', 'status', 'sewer', 'searle', 'bryant', 'cocksfield', 'combe', 'august']
Original Request: With respect to minor variance application and permits 13 261 802 and 13 261 803 for demolition and construction at {}; records of all e-mails sent to and from any @toronto.ca e-mail address particularly from Councillor Stintz's Office.
Tokens prepared for LDA: ['respect', 'minor', 'variance', 'application', 'permit', 'demolition', 'construction', 'record', '@toronto.ca', 'address', 'particularly', 'councillor', 'stintz', 'office']
Original Request: A copy of reports for black mould inspection on Jan. 22, 2014 by Toronto Public Health for {organization's } at {}.
Tokens prepared for LDA: ['report', 'black', 'mould', 'inspection', 'january', 'toronto', 'public', 'health', 'organization']
Original Request: Record of all ML&S fees charged to {individual's } former property owner of {} including but not limited to files #: 10 247768 LGW 00IV, 12 174423 LGW 00IV, 12 172956 WST 00IV.
Tokens prepared for LDA: ['record', 'charge', 'individual', 'property', 'owner', 'include', 'limit', '247768', '174423', '172956']
Original Request: A copy of property survey conducted in Sept. 2013 of laneway and adjoining properties at {}. Engineer, Bruce Brouwers.
Tokens prepared for LDA: ['property', 'survey', 'conduct', 'september', 'laneway', 'adjoin', 'property', 'engineer', 'bruce', 'brouwers']
Original Request: Record of the number of tickets issued to citizens making a left turn at Broadview Ave onto Erindale Ave. in the calendar year of 2013. If a full year cannot be provided record search to be conducted for 2012.
Tokens prepared for LDA: ['record', 'ticket', 'issue', 'citizen', 'leave', 'broadview', 'erindale', 'calendar', 'provide', 'record', 'search', 'conduct']
Original Request: Copies of permits issued to {} for excavation of front porch cantina, front porch and canopy and rear solarium.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'excavation', 'porch', 'cantina', 'porch', 'canopy', 'solarium']
Original Request: Copy of letter of complaint sent to Joe Nanos of City Planning against {} by {individual's } of {} between May 2013 to Aug. 2013.
Tokens prepared for LDA: ['letter', 'complaint', 'nanos', 'planning', 'individual', 'august']
Original Request: A copy of building inspection notes for {}file # 04 154150 BLD HVAC PLB and 05-113643 BLD.
Tokens prepared for LDA: ['build', 'inspection', '154150', '113643']
Original Request: Record of HVAC mechanical permit issued to {} including date permit was closed.
Tokens prepared for LDA: ['record', 'mechanical', 'permit', 'issue', 'include', 'permit', 'close']
Original Request: Copy of permit application and relevant documents for {}. Detailed construction job and repair description, value of construction, estimates, engineer reports receipts, invoices, inspector's reports, bills and charges relevant to the job
Tokens prepared for LDA: ['permit', 'application', 'relevant', 'document', 'detail', 'construction', 'repair', 'description', 'value', 'construction', 'estimate', 'engineer', 'report', 'receipt', 'invoice', 'inspector', 'report', 'charge', 'relevant']
Original Request: A copy of orders or complaints pertaining to {}.
Tokens prepared for LDA: ['order', 'complaint', 'pertain']
Original Request: Copy of notice of by-law violation issued to the landlord and tenants {addresses removed} for breach of by-law and non-compliance concerning the industrial surcharge agreement and stipulations for using City sewers.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'landlord', 'tenant', 'address', 'remove', 'breach', 'compliance', 'concern', 'industrial', 'surcharge', 'agreement', 'stipulation', 'sewer']
Original Request: Copies of permits issued from May 27, 2013 to Nov. 30, 2013 for road reconstruction, water or sewer work at the intersection of Matheson Blvd. E. and Maingate Dr.; pertaining to damage to a Bell 50 pair cable.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'november', 'reconstruction', 'water', 'sewer', 'intersection', 'matheson', 'maingate', 'pertain', 'damage', 'cable']
Original Request: Record of the agreement between the TTC and Pattison Outdoor Advertising in response to TTC request for proposal for advertising on the TTC, proposal No. {P01DR11034}.
Tokens prepared for LDA: ['record', 'agreement', 'pattison', 'outdoor', 'advertising', 'response', 'request', 'proposal', 'advertise', 'proposal', 'p01dr11034}.']
Original Request: Copies of all permits issued for new home built at {} from Jan 2012 to May 2013.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'build']
Original Request: Copies of inspectors notes for all outstanding permits for {} permit # 406 882 and 403812. Record search from 1997 to 2014.
Tokens prepared for LDA: ['copy', 'inspector', 'outstanding', 'permit', 'permit', '403812', 'record', 'search']
Original Request: Record of the legal status of 3 units at {} pertaining to permit 326433 issued Sept. 11, 1991 to convert building into 3 units. Completion inspection was done Feb. 14, 1992. Record search from 1990 to 1993.
Tokens prepared for LDA: ['record', 'legal', 'status', 'pertain', 'permit', '326433', 'issue', 'september', 'convert', 'build', 'completion', 'inspection', 'february', 'record', 'search']
Original Request: Record of any available communication (e-mail, or any other handwritten or typed document) between the offices of Mayor Rob Ford as well as Councillor Doug Ford and the staff at ML&S mentioning {}. May 2011 to present.
Tokens prepared for LDA: ['record', 'available', 'communication', 'handwritten', 'document', 'office', 'mayor', 'councillor', 'staff', 'mention', 'present']
Original Request: Record of service requests for City trees at the north west corner of Mason Rd. and Adanac Dr., on Adanac Dr. fronting the west side of {} regarding an alterations in any shape or form i.e. cut/trim from Oct. 15, 2013 to present.
Tokens prepared for LDA: ['record', 'service', 'request', 'north', 'corner', 'mason', 'adanac', 'adanac', 'regard', 'alteration', 'shape', 'october', 'present']
Original Request: Record of complaints made regarding {} indicating business and other related activities at address. Record search from Mar. 1, 2013 to May 20, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'indicate', 'business', 'relate', 'activity', 'address', 'record', 'search', 'march']
Original Request: A copy of permit application for front yard parking at {} or {} RAC-579 558, RAC 579-832. From Jan. 10, 2012 to Apr. 25, 2014.
Tokens prepared for LDA: ['permit', 'application', 'rac-579', 'january', 'april']
Original Request: Record listing complaints received pertaining to potholes on Woodine Ave; 2 northbound lanes from {addresses removed} from Feb. 23, 2014 to Mar. 31, 2014. A list of potholes repaired on {addresses removed} from Mar. 3- 31, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'receive', 'pertain', 'pothole', 'woodine', 'northbound', 'address', 'remove', 'february', 'march', 'pothole', 'repair', 'address', 'remove', 'march']
Original Request: A copy of land lease agreement between Zlatko Starkovisk of Muzik Night Club, and COT Exhibition Place.
Tokens prepared for LDA: ['lease', 'agreement', 'zlatko', 'starkovisk', 'muzik', 'night', 'exhibition', 'place']
Original Request: Any and all documents, photographs, videos, records, notes, e-mails, correspondence etc. pertaining to flood at Lawrence Subway Station on or about Dec. 16, 2013; where {Organization's } was on assignment.
Tokens prepared for LDA: ['document', 'photograph', 'video', 'record', 'correspondence', 'pertain', 'flood', 'lawrence', 'subway', 'station', 'december', 'organization', 'assignment']
Original Request: Record of the exact dates of 311 calls by {individual's } pertaining to reports of sewer back-up at {} between Apr. 30, 2012 and Dec. 31, 2012.
Tokens prepared for LDA: ['record', 'exact', 'individual', 'pertain', 'report', 'sewer', 'april', 'december']
Original Request: Copy of all records including notices, orders, appeals etc. pertaining to violation of bylaw and applicable laws by owner of and property located at {} from 2004 to present.
Tokens prepared for LDA: ['record', 'include', 'notice', 'order', 'appeal', 'pertain', 'violation', 'bylaw', 'applicable', 'owner', 'property', 'locate', 'present']
Original Request: A copy of building inspection report for {} permit #{}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit']
Original Request: Any and all records pertaining to {} being a grow-op. Record search from May 1, 2004 to May 1, 2014.
Tokens prepared for LDA: ['record', 'pertain', 'record', 'search']
Original Request: All records related to building permit # 11-331942.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', '331942']
Original Request: A copy of test for job call -1887221, Park Supervisor, Sunnybrook Park. Posted Jan. 8, 2014 closed Jan. 28, 2014.
Tokens prepared for LDA: ['-1887221', 'supervisor', 'sunnybrook', 'post', 'january', 'close', 'january']
Original Request: Copy of all permits including electrical and plumbing issued to {} from Jan. 1, 1982 to May 27, 2014.
Tokens prepared for LDA: ['permit', 'include', 'electrical', 'plumb', 'issue', 'january']
Original Request: A copy of fire inspection report for {organization's } at {}.
Tokens prepared for LDA: ['inspection', 'report', 'organization']
Original Request: Record of documents and e-mails that include information about the number of calls received and answered by the Mayor's Office from April 30, 2014 to May 28, 2014.
Tokens prepared for LDA: ['record', 'document', 'include', 'information', 'receive', 'answer', 'mayor', 'office', 'april']
Original Request: Copies of all records, memos and e-mails regarding Mayor Ford's leave of absence and roles of staff including instructions from the Deputy Mayor to the Mayor's Office from Apr. 30, 2014 to May 28, 2014.
Tokens prepared for LDA: ['copy', 'record', 'regard', 'mayor', 'leave', 'absence', 'staff', 'include', 'instruction', 'deputy', 'mayor', 'mayor', 'office', 'april']
Original Request: An explanation of what is a confidential matter in relation to sole-sourced contracts. How many have been approved under that reason, to whom and for what service.
Tokens prepared for LDA: ['explanation', 'confidential', 'relation', 'source', 'contract', 'approve', 'reason', 'service']
Original Request: Copy of permit and inspection notes for {} permit # 96018608 issued in 1996.
Tokens prepared for LDA: ['permit', 'inspection', 'permit', '96018608', 'issue']
Original Request: A copy of investigation notes for {}, # 14 124960 PRS 00 IV. Order date March 6, 2014, Inspector: Mike Patterson. Record search Dec. 1, 2013 to April 30, 2014.
Tokens prepared for LDA: ['investigation', '124960', 'order', 'march', 'inspector', 'patterson', 'record', 'search', 'december', 'april']
Original Request: Record of front yard parking application and related documents for {} including staff reports, sketch from Transportation Services and any decision documents if different from staff reports. Record search from 1999 Dec. 31, 2001.
Tokens prepared for LDA: ['record', 'application', 'relate', 'document', 'include', 'staff', 'report', 'sketch', 'transportation', 'services', 'decision', 'document', 'different', 'staff', 'report', 'record', 'search', 'december']
Original Request: A complete copy of public health report pertaining to dog bite incident at {} on May 1, 2014 at or around 6:30 p.m. in which { individual's } was bitten by a dog.
Tokens prepared for LDA: ['complete', 'public', 'health', 'report', 'pertain', 'incident', 'individual']
Original Request: A copy of inspection report for {} {number removed} and {} {number removed}, pertaining to leaking membrane and damage of underground parking garage. Inspector, Steve Paterson.
Tokens prepared for LDA: ['inspection', 'report', 'remove', 'remove', 'pertain', 'membrane', 'damage', 'underground', 'garage', 'inspector', 'steve', 'paterson']
Original Request: All property standards information pertaining to {} regarding (not limited to but including) officers' and supervisors' notes, City employees notes letters, correspondence etc. from May 22, 1012 to May 23, 2014.
Tokens prepared for LDA: ['property', 'standard', 'information', 'pertain', 'regard', 'limit', 'include', 'officer', 'supervisor', 'employee', 'letter', 'correspondence']
Original Request: Copies of engineers and inspectors reports related to building permit dated Jun. 2, 1987, to add a rear extension to {}.
Tokens prepared for LDA: ['copy', 'engineer', 'inspector', 'report', 'relate', 'build', 'permit', 'extension']
Original Request: A copy of health inspection report for {} at {} following complaint made pertaining to employee health and food storage practices at the bakery. Officer Lisa Samuel. Record search Mar. 17, 2014 to Mar. 23, 2014.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'follow', 'complaint', 'pertain', 'employee', 'health', 'storage', 'practice', 'bakery', 'officer', 'samuel', 'record', 'search', 'march', 'march']
Original Request: Copies of permits, applications drawings and surveys related to {} from Jan. 1, 1940 to Jan. 1, 2010.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'drawing', 'survey', 'relate', 'january', 'january']
Original Request: Records for {} regarding compliance with property standards and fire codes and any reports prepared and or issued with respect to this property.
Tokens prepared for LDA: ['record', 'regard', 'compliance', 'property', 'standard', 'report', 'prepare', 'issue', 'respect', 'property']
Original Request: Any and all records including correspondence and variance reports, documents related to zoning review and permit acquisition for {} owned and developed by {individual's } and {individual's }. Inspector, Pat Ruscio.
Tokens prepared for LDA: ['record', 'include', 'correspondence', 'variance', 'report', 'document', 'relate', 'review', 'permit', 'acquisition', 'develope', 'individual', 'individual', 'inspector', 'ruscio']
Original Request: A complete copy of the muzzle order issued to owner of a dog named {dog's } of the Kuvasz breed which was involved in an incident on June 17, 2012. Pertaining to the exact definition and location of "premises" as it relates to the order.
Tokens prepared for LDA: ['complete', 'muzzle', 'order', 'issue', 'owner', 'kuvasz', 'breed', 'involve', 'incident', 'pertain', 'exact', 'definition', 'location', 'premise', 'relate', 'order']
Original Request: A complete copy records pertaining to dog bite incident in which {individual's } was bitten by a dog at the {Shelter } on Jan. 23, 2014, including muzzle order issued for the dog involved.
Tokens prepared for LDA: ['complete', 'record', 'pertain', 'incident', 'individual', 'shelter', 'january', 'include', 'muzzle', 'order', 'issue', 'involve']
Original Request: Record of the most updated copy of the City's Building Dept. internal policy regarding grading and drainage for in-fill housing.
Tokens prepared for LDA: ['record', 'update', 'building', 'internal', 'policy', 'regard', 'grade', 'drainage', 'house']
Original Request: Notices of violation and compliance orders for {}, relating to issues on front door, kitchen window, persistent mechanical rumbling noise related to boiler/room, and any and all repair requests and inspections,
Tokens prepared for LDA: ['notice', 'violation', 'compliance', 'order', 'relate', 'issue', 'kitchen', 'window', 'persistent', 'mechanical', 'rumble', 'noise', 'relate', 'boiler', 'repair', 'request', 'inspection']
Original Request: A copy of any documents that disaggregate the overall number of illness absences from Toronto Public Service employees in 2012 and 2013 by city department, by job, by age of worker, by level of seniority, by union Local 416/79).
Tokens prepared for LDA: ['document', 'disaggregate', 'overall', 'illness', 'absence', 'toronto', 'public', 'service', 'employee', 'department', 'worker', 'level', 'seniority', 'union', 'local', '416/79']
Original Request: A copy of an e-mail sent to Bob Lue, Manager of Building, in between March 18, 2013 and March 30, 2013, informing him of the termination of the architectural services on {} or Markham Road and McNicoll project.
Tokens prepared for LDA: ['manager', 'building', 'march', 'march', 'inform', 'termination', 'architectural', 'service', 'markham', 'mcnicoll', 'project']
Original Request: Security video from St. Patrick's Day and April 5/6 weekend.
Tokens prepared for LDA: ['security', 'video', 'patrick', 'april', 'weekend']
Original Request: All files and records pertaining to the Liberty Village BIA in particular all financial records for the last 14 years, contracts, invoices and cancelled cheques, book keeping records and financial statements.
Tokens prepared for LDA: ['record', 'pertain', 'liberty', 'village', 'particular', 'financial', 'record', 'contract', 'invoice', 'cancel', 'cheque', 'record', 'financial', 'statement']
Original Request: A copy of the security report and video footage related to the 2014 Easter Monday event involving Mayor, Rob Ford.
Tokens prepared for LDA: ['security', 'report', 'video', 'footage', 'relate', 'easter', 'monday', 'event', 'involve', 'mayor']
Original Request: A copy of the security report and video footage related to the 2014 Easter Monday event involving Mayor, Rob Ford.
Tokens prepared for LDA: ['security', 'report', 'video', 'footage', 'relate', 'easter', 'monday', 'event', 'involve', 'mayor']
Original Request: A copy of the security report and video footage related to the 2014 Easter Monday event involving Mayor, Rob Ford.
Tokens prepared for LDA: ['security', 'report', 'video', 'footage', 'relate', 'easter', 'monday', 'event', 'involve', 'mayor']
Original Request: A copy of the security report and video footage related to the 2014 Easter Monday event involving Mayor, Rob Ford.
Tokens prepared for LDA: ['security', 'report', 'video', 'footage', 'relate', 'easter', 'monday', 'event', 'involve', 'mayor']
Original Request: A copy of the security report and video footage related to the 2014 Easter Monday event involving Mayor, Rob Ford.
Tokens prepared for LDA: ['security', 'report', 'video', 'footage', 'relate', 'easter', 'monday', 'event', 'involve', 'mayor']
Original Request: A copy of the security report and video footage related to the 2014 Easter Monday event involving Mayor, Rob Ford.
Tokens prepared for LDA: ['security', 'report', 'video', 'footage', 'relate', 'easter', 'monday', 'event', 'involve', 'mayor']
Original Request: CCTV of incident on Wellington St. at top of parking garage exit. Cars exiting garage and hitting obstruction on roadway. Incident date is May 23, 2014 between 4.00 and 4.15 pm.
Tokens prepared for LDA: ['incident', 'wellington', 'garage', 'garage', 'obstruction', 'roadway', 'incident']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred in 2013 around May.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the 4 heat inspection reports for {a specified address}, including November 15, 2012 (Ref: 1825027), January 16, 2013 (Ref: 1846142), February 8, 2013 (Ref: 1918180) and April 30, 2013 (Ref: 2054365).
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'include', 'november', '1825027', 'january', '1846142', 'february', '1918180', 'april', '2054365']
Original Request: A copy of the building files for {a specified address} regarding the second story built in 1979, including any documents, permits, zoning documents, and any records related to the porch, hydro, etc.
Tokens prepared for LDA: ['build', 'specify', 'address', 'regard', 'story', 'build', 'include', 'document', 'permit', 'document', 'record', 'relate', 'porch', 'hydro']
Original Request: A copy of the most recent fire underwriters survey.
Tokens prepared for LDA: ['recent', 'underwriter', 'survey']
Original Request: A copy of the building inspection notes and reports for {a specified address} on March 25, 2013 related to the building code violations and impact on the property.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'march', 'relate', 'build', 'violation', 'impact', 'property']
Original Request: A copy of the the most current year's total City revenue from condo building (2012/2013) broken down by the # of towers built, money collected in planning fees, building permits, development charges, parks and recreation levies, and section 37 grants.
Tokens prepared for LDA: ['current', 'total', 'revenue', 'condo', 'build', '2012/2013', 'break', 'tower', 'build', 'money', 'collect', 'build', 'permit', 'development', 'charge', 'recreation', 'section', 'grant']
Original Request: A copy of all building records since the existing building was built at {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'exist', 'build', 'build', 'specify', 'address}.']
Original Request: A copy of any records since the property was built showing the purpose or zoning for {a specified address}, including any records showing changes made to the purpose/zoning and related records.
Tokens prepared for LDA: ['record', 'property', 'build', 'purpose', 'specify', 'address', 'include', 'record', 'change', 'purpose', 'relate', 'record']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on June 17, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur']
Original Request: A copy of the fire report for a slip and fall incident that occurred at the Yonge/Bloor subway station. The incident occurred on August 4, 2006.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'yonge', 'bloor', 'subway', 'station', 'incident', 'occur', 'august']
Original Request: A copy of all building permit documents and inspection reports related to {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'document', 'inspection', 'report', 'relate', 'specify', 'address}.']
Original Request: A copy of all information from 1920, including building permits, encroachment records, subdivisions, severing of the property, ect. for {a specified address}.
Tokens prepared for LDA: ['information', 'include', 'build', 'permit', 'encroachment', 'record', 'subdivision', 'sever', 'property', 'specify', 'address}.']
Original Request: A copy of the dog bite file no. 110522 from Public Health related to an incident on July 11 or 12, 2013.
Tokens prepared for LDA: ['110522', 'public', 'health', 'relate', 'incident']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for Willowdale Avenue and Cummer Avenue. The incident occurred on August 29, 2010 at 11:30 p.m.
Tokens prepared for LDA: ['report', 'willowdale', 'avenue', 'cummer', 'avenue', 'incident', 'occur', 'august', '11:30']
Original Request: A copy of e-mails from June, July, or August 2011 related to either the homelessness task force or to the July 12 news conference in general sent by any of the following people: name of individual.
Tokens prepared for LDA: ['august', 'relate', 'homelessness', 'force', 'conference', 'general', 'follow', 'people', 'individual']
Original Request: A copy of the raw electronic data from the database in which the City of Toronto records civil case settlements paid by the City of Toronto and/or the Toronto Police Service, including information contained therein. Database: STARS.
Tokens prepared for LDA: ['electronic', 'datum', 'database', 'toronto', 'record', 'civil', 'settlement', 'toronto', 'and/or', 'toronto', 'police', 'service', 'include', 'information', 'contain', 'database', 'star']
Original Request: A copy of the red light camera image at the intersection of Wilson Avenue and Billy Bishop/Transit Road. Records from May 6, 2013 at 7:00 a.m.
Tokens prepared for LDA: ['light', 'camera', 'image', 'intersection', 'wilson', 'avenue', 'billy', 'bishop', 'transit', 'record']
Original Request: A copy of the fire report for {a specified address} from March 9, 13, and 14, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'march']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on June 19, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of all e-mails, reports, letters and correspondence to or from PFR, Councillor Cho, Scarborough Community Council and Heritage Toronto referencing McLevin Community Park Heritage House, Scott-Westney House signage, restoration, costs, etc.
Tokens prepared for LDA: ['report', 'letter', 'correspondence', 'councillor', 'scarborough', 'community', 'council', 'heritage', 'toronto', 'reference', 'mclevin', 'community', 'heritage', 'house', 'scott', 'westney', 'house', 'signage', 'restoration']
Original Request: A copy of the fire inspection report for {a specified address} completed approximately June 18, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'complete', 'approximately']
Original Request: A copy of the fire reports for {a specified address}. The incidents occurred on April 20, 2013 (F13029730) and May 8, 2013 (F13035153).
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april', 'f13029730', 'f13035153']
Original Request: A copy of the records and/or agreements related to the Emergency Fire Access Plan drawing and/or the Site plan for Gold Ribbon Homes for {a specified address}.
Tokens prepared for LDA: ['record', 'and/or', 'agreement', 'relate', 'emergency', 'access', 'and/or', 'ribbon', 'home', 'specify', 'address}.']
Original Request: A copy of the fire inspection report for {a specified address}, including dates of repairs and modifications, date unit was ready for occupancy, all inspection dates and completion dates, as well as any remaining repairs to be done.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'include', 'repair', 'modification', 'ready', 'occupancy', 'inspection', 'completion', 'remain', 'repair']
Original Request: A copy of the building inspection report and related records for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'relate', 'record', 'specify', 'address}.']
Original Request: A copy of all records related to the Williamson Ravine in ward 32 (from both sides of the train tracks running parallel to Gerrard Street).
Tokens prepared for LDA: ['record', 'relate', 'williamson', 'ravine', 'train', 'track', 'parallel', 'gerrard', 'street']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the 911 audio calls associated with the slip and fall incident at the Yonge/Bloor subway station.
Tokens prepared for LDA: ['audio', 'associate', 'incident', 'yonge', 'bloor', 'subway', 'station']
Original Request: A copy of any documentation indicating the last date on which parking lines had been painted on the parking lot at 30 Ashbridges Bay Park Road prior to June 23, 2012.
Tokens prepared for LDA: ['documentation', 'indicate', 'paint', 'ashbridges', 'prior']
Original Request: A copy of the Schedule of Rates to be charged to hirers for towing filed with MLS.
Tokens prepared for LDA: ['schedule', 'rates', 'charge', 'hirer']
Original Request: A copy of any records indicating if basement flooding was ever reported for {a specified address}. Also if there is a permit for backwater valve installation and if a permit exists for a sump pump installation.
Tokens prepared for LDA: ['record', 'indicate', 'basement', 'flood', 'report', 'specify', 'address}.', 'permit', 'backwater', 'valve', 'installation', 'permit', 'exist', 'installation']
Original Request: A copy of all dog bite records related to the incident at {a specified address}, Etobicoke. The incident occurred on August 20, 2011.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august']
Original Request: A copy of the investigating officer's report regarding the dog owner and the decision made in the dog bite incident file no. 2137261. The incident occurred on June 15, 2013.
Tokens prepared for LDA: ['investigate', 'officer', 'report', 'regard', 'owner', 'decision', 'incident', '2137261', 'incident', 'occur']
Original Request: A copy of the permit application for renovation on the main floor and basement on {a specified address}, Toronto.
Tokens prepared for LDA: ['permit', 'application', 'renovation', 'floor', 'basement', 'specify', 'address', 'toronto']
Original Request: A copy of all building documents related to {a specified address} regarding the zoning history as well as a detailed description of file no. 285787 and building file no. 3032537.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'regard', 'history', 'description', '285787', 'build', '3032537']
Original Request: A copy of information regarding the basement flooding at {a specified address}, including the CCTV inspection report.
Tokens prepared for LDA: ['information', 'regard', 'basement', 'flood', 'specify', 'address', 'include', 'inspection', 'report']
Original Request: A copy of any fire inspection records related to {a specified address} from January 23, 2012 to present. There was an explosion on January 29, 2012. Any records related to the explosion or thereafter.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'specify', 'address', 'january', 'present', 'explosion', 'january', 'record', 'relate', 'explosion']
Original Request: A copy of incident reports, internal memos, e-mails, written notes or any other documents prepared by City Hall security on activity concerning Mayor Rob Ford, members of Mayor Rob Ford's staff and/or Mayor's Office on the 2nd floor on specified dates.
Tokens prepared for LDA: ['incident', 'report', 'internal', 'write', 'document', 'prepare', 'security', 'activity', 'concern', 'mayor', 'member', 'mayor', 'staff', 'and/or', 'mayor', 'office', 'floor', 'specify']
Original Request: Any complaints, reports, e-mails, memos, letters submitted to human resources relating to employment in Mayor Rob Ford's office, for the period between Dec. 1, 2010 and July 1, 2013.
Tokens prepared for LDA: ['complaint', 'report', 'letter', 'submit', 'human', 'resource', 'relate', 'employment', 'mayor', 'office', 'period', 'december']
Original Request: A copy of all building permits and fire inspection records from 1981 to present for {a specified address}. In particular, the latest permit issued in 1981.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'present', 'specify', 'address}.', 'particular', 'permit', 'issue']
Original Request: A copy of all building permits and fire inspection records from 1995 to present for {a specified address}. In particular, the latest permit issued in 1995 showing that it's a legal 2-unit dwelling.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'present', 'specify', 'address}.', 'particular', 'permit', 'issue', 'legal', '2-unit', 'dwell']
Original Request: All building permit information, inspectors' notes, examiners' notes for {a specified address} for the period from 1984 to present, including permit # 1985-013750 BLD.
Tokens prepared for LDA: ['build', 'permit', 'information', 'inspector', 'examiner', 'specify', 'address', 'period', 'present', 'include', 'permit', '013750']
Original Request: A copy of Electrical Safety Standards reports for {a specified address} from Jan. 2012 to present.
Tokens prepared for LDA: ['electrical', 'safety', 'standard', 'report', 'specify', 'address', 'january', 'present']
Original Request: A copy of the archival records related to Thorncliffe Park and Flemingdon Park Day Care Centres, Libraries, and Community Organizations. Fonds 209, Series 1323 and Fonds 220, Series 100.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'thorncliffe', 'flemingdon', 'centre', 'library', 'community', 'organization', 'fonds', 'series', 'fonds', 'series']
Original Request: A copy of the serveillance video records of the intersection at McNicoll Avenue and Warden Avenue from December 14, 2012 between 3:00 p.m. to 6:00 p.m.
Tokens prepared for LDA: ['serveillance', 'video', 'record', 'intersection', 'mcnicoll', 'avenue', 'warden', 'avenue', 'december']
Original Request: A copy of the application for rezoning of {a specified address} filed in 2006. File No. 06-189048.
Tokens prepared for LDA: ['application', 'rezoning', 'specify', 'address', '189048']
Original Request: A copy of the fire report no. F13004577 from January 16, 2013. The incident occurred near the intersection of King Street West and John Street.
Tokens prepared for LDA: ['report', 'f13004577', 'january', 'incident', 'occur', 'intersection', 'street', 'street']
Original Request: A copy of the fire report for a motor vehicle accident on Summit Avenue. The incident occurred on May 12, 2009. Fire Report No. F09051521.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'summit', 'avenue', 'incident', 'occur', 'report', 'f09051521']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on April 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on June 26, 2013 at 23:45. Fire Report No. F13050072.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', '23:45', 'report', 'f13050072']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on June 28, 2013. Also include any available notes or photos related to the incident.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'include', 'available', 'photo', 'relate', 'incident']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on May 9, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of the building inspector file no. 04 182802 WNP00VI related to {a specified address}.
Tokens prepared for LDA: ['build', 'inspector', '182802', 'wnp00vi', 'relate', 'specify', 'address}.']
Original Request: A copy of the release of records and files that will provide the information on which outdoor companies have been levied the tax and how much each outdoor company has paid annually for the years of 2010, 2011, 2012, and 2013.
Tokens prepared for LDA: ['release', 'record', 'provide', 'information', 'outdoor', 'company', 'outdoor', 'company', 'annually']
Original Request: A copy of work permits issued for {a specified address} between 2006 and 2011, including permit applications, receipts for permit fees, permits issued, inspections, work orders and building contactor names.
Tokens prepared for LDA: ['permit', 'issue', 'specify', 'address', 'include', 'permit', 'application', 'receipt', 'permit', 'permit', 'issue', 'inspection', 'order', 'build', 'contactor']
Original Request: A copy of any and all sewer line maintenance records on Ossington Avenue. Specifically around {a specified address} or within 3 km's of this property address.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'ossington', 'avenue', 'specifically', 'specify', 'address', 'property', 'address']
Original Request: A copy of all notices, correspondence, and any other documents sent by the City of Toronto which pertain to parking at {a specified address}.
Tokens prepared for LDA: ['notice', 'correspondence', 'document', 'toronto', 'pertain', 'specify', 'address}.']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on Highway 27 and Albion Road. The incident occurred on December 1, 2010.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'highway', 'albion', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on June 23, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. Fire incident no. F13005526.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'f13005526']
Original Request: A copy of all letters dated 2010 from Toronto Animal Services sent to {a specified individual} at {a specified address}. As well as information regarding the officer visit in response to a complaint received.
Tokens prepared for LDA: ['letter', 'toronto', 'animal', 'services', 'specify', 'individual', 'specify', 'address}.', 'information', 'regard', 'officer', 'visit', 'response', 'complaint', 'receive']
Original Request: A copy of compliance order issued to {a specified address}. The issue was on the removal of a garrage and the inspector was called in June 2013.
Tokens prepared for LDA: ['compliance', 'order', 'issue', 'specify', 'address}.', 'issue', 'removal', 'garrage', 'inspector']
Original Request: A list of all building permits and planning applications for {a specified address} showing why a school was allowed to be built on the site.
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address', 'school', 'allow', 'build']
Original Request: A copy of building permit records for {a specified address}, including file correspondence, materials and drawings.
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address', 'include', 'correspondence', 'material', 'drawing']
Original Request: A copy of all reports, records, notices and orders from ML&S and Fire Prevention related to {a specified address} from January1, 2010 to the most recent possible date.
Tokens prepared for LDA: ['report', 'record', 'notice', 'order', 'prevention', 'relate', 'specify', 'address', 'january1', 'recent', 'possible']
Original Request: A copy of all Public Health reports, records, notices and orders related to {a specified address} from January1, 2010 to the most recent possible date.
Tokens prepared for LDA: ['public', 'health', 'report', 'record', 'notice', 'order', 'relate', 'specify', 'address', 'january1', 'recent', 'possible']
Original Request: A copy of all fire reports and records related to {a specified address} from January1, 2010 to the most recent possible date.
Tokens prepared for LDA: ['report', 'record', 'relate', 'specify', 'address', 'january1', 'recent', 'possible']
Original Request: A copy of the traffic light footage of the accident that occurred at Windermere and Lakeshore Blvd West on June 2, 2013. The incident occurred between the hours of 2 a.m. and 5 a.m.
Tokens prepared for LDA: ['traffic', 'light', 'footage', 'accident', 'occur', 'windermere', 'lakeshore', 'incident', 'occur']
Original Request: A copy of any records showing calls made to the City regarding sewer back up issues and/or if any sewer maintenance was done at {a specified address} between 2002 to present. Also, any records of MLS or Building inspections completed.
Tokens prepared for LDA: ['record', 'regard', 'sewer', 'issue', 'and/or', 'sewer', 'maintenance', 'specify', 'address', 'present', 'record', 'building', 'inspection', 'complete']
Original Request: A copy of the basement flooding report for {a specified address}. The incident occurred on July 8, 2013.
Tokens prepared for LDA: ['basement', 'flood', 'report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the MLS report regarding file no. B31621. The inspection was completed by {a specified address}.
Tokens prepared for LDA: ['report', 'regard', 'b31621', 'inspection', 'complete', 'specify', 'address}.']
Original Request: A copy of the work order for the installation of the road sign at Mack Avenue and Warden Avenue, including information when this sign was installed.
Tokens prepared for LDA: ['order', 'installation', 'avenue', 'warden', 'avenue', 'include', 'information', 'install']
Original Request: A copy of any MLS, Public Health, Water and Fire maintenance and inspection records or notes for {a specified address} for the past 10 years. Also any calls made regarding sewer back up issues or flooding incidents, including the July 2013 inspection.
Tokens prepared for LDA: ['public', 'health', 'water', 'maintenance', 'inspection', 'record', 'specify', 'address', 'regard', 'sewer', 'issue', 'flood', 'incident', 'include', 'inspection']
Original Request: A copy of all building permit applications as well as building and ML&S orders, infractions, and inspection notes for {a specified address} between January 1, 2009 and July 1, 2013.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'order', 'infraction', 'inspection', 'specify', 'address', 'january']
Original Request: A copy of the complaint records against {a specified address} related to renovations completed in May, June, and July of 2011.
Tokens prepared for LDA: ['complaint', 'record', 'specify', 'address', 'relate', 'renovation', 'complete']
Original Request: A copy of all building and zoning information related to the property {a specified address}, including building permits, inspections, and violations.
Tokens prepared for LDA: ['build', 'information', 'relate', 'property', 'specify', 'address', 'include', 'build', 'permit', 'inspection', 'violation']
Original Request: A copy of the fire report for York University Campus. The incident occurred on December 13, 2010. Also any related records including reports, notes, tests, photos.
Tokens prepared for LDA: ['report', 'university', 'campus', 'incident', 'occur', 'december', 'relate', 'record', 'include', 'report', 'photo']
Original Request: A copy of the fire report for a motor vehicle accident that occurred at Yonge Street and Finch Avenue. The incident occurred on May 10, 2008.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'yonge', 'street', 'finch', 'avenue', 'incident', 'occur']
Original Request: A copy of all building permits. zoning inquiries, and reviews performed on {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'inquiry', 'review', 'perform', 'specify', 'address}.']
Original Request: A copy of the Public Health inspection reports for the pool at {a specified address} from 2005 to present and all pool closures and re-opening notifications from 2005 to present.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'specify', 'address', 'present', 'closure', 'notification', 'present']
Original Request: A copy of the public heath inspection report for {a specified address}. regarding asbestos and mould under the floors of the building.
Tokens prepared for LDA: ['public', 'heath', 'inspection', 'report', 'specify', 'address}.', 'regard', 'asbestos', 'mould', 'floor', 'build']
Original Request: A copy of the property standard inspection reports for {a specified address} between June 2012 and July 2013, including all notes and pictures taken.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'specify', 'address', 'include', 'picture']
Original Request: A copy of the fire report for a motor vehicle accident that occurred on HWY 401 eastbound collector lanes at Leslie Street. The incident occurred on November 24, 2007.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'eastbound', 'collector', 'leslie', 'street', 'incident', 'occur', 'november']
Original Request: A copy of any permits or records showing work done at {a specified address} around the time of August 28, 2012.
Tokens prepared for LDA: ['permit', 'record', 'specify', 'address', 'august']
Original Request: A copy of the raw data results from surface water samples taken from Lake Ontario at each of Toronto's beaches from July 8 to 15, 2013, including results directly from the testing laboratory as received by the City before averaging or interpretation.
Tokens prepared for LDA: ['datum', 'result', 'surface', 'water', 'sample', 'ontario', 'toronto', 'beach', 'include', 'result', 'directly', 'laboratory', 'receive', 'average', 'interpretation']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 8, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 12, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the archival records related to housing and welfare (housing registry for Metro Toronto file stripped December 14, 1971). Fonds 220, Series 11, File 150.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'house', 'welfare', 'house', 'registry', 'metro', 'toronto', 'strip', 'december', 'fonds', 'series']
Original Request: A copy of any and all MLS work orders, reports, documents, compliance orders, etc. (reference no. 2142114 & 1873442) for {a specified address}. Records from July 15, 2012 to present.
Tokens prepared for LDA: ['order', 'report', 'document', 'compliance', 'order', 'reference', '2142114', '1873442', 'specify', 'address}.', 'record', 'present']
Original Request: A copy of records related to the Wilson-Keele Business Improvement Area Polling Results, including a list of addresses of any ballot that came in with a "no" vote, and a list of addresses of the Wilson/Keele BIA who had returned their ballot by mail.
Tokens prepared for LDA: ['record', 'relate', 'wilson', 'keele', 'business', 'improvement', 'poll', 'result', 'include', 'address', 'ballot', 'address', 'wilson', 'keele', 'return', 'ballot']
Original Request: A copy of the zoning folder no. 13137732 ZON 00 IV regarding {a specified address}, Etobicoke.
Tokens prepared for LDA: ['folder', '13137732', 'regard', 'specify', 'address', 'etobicoke']
Original Request: A copy of the building permit for the detached shed and records showing the status of the permit (i.e. if it is closed) for {a specified address}, Scarborough.
Tokens prepared for LDA: ['build', 'permit', 'detach', 'record', 'status', 'permit', 'close', 'specify', 'address', 'scarborough']
Original Request: A copy of the transcript for the 311 call on June 28, 2013 (reference no. 2161381). Also a transcript of the follow up inspection report from Toronto Water regarding the drain, sewer and catch basin. All regarding {a specified address}.
Tokens prepared for LDA: ['transcript', 'reference', '2161381', 'transcript', 'follow', 'inspection', 'report', 'toronto', 'water', 'regard', 'drain', 'sewer', 'catch', 'basin', 'regard', 'specify', 'address}.']
Original Request: A copy of the transcript for the 311 call on June 28, 2013 (reference no. 2161381). Also a transcript of the follow up inspection report from Toronto Water regarding the drain, sewer and catch basin. All regarding {a specified address}.
Tokens prepared for LDA: ['transcript', 'reference', '2161381', 'transcript', 'follow', 'inspection', 'report', 'toronto', 'water', 'regard', 'drain', 'sewer', 'catch', 'basin', 'regard', 'specify', 'address}.']
Original Request: A copy of all documents in folder B60436 and pertaining to {a specified address}, including documents related to and including the drain plan file on microfiche.
Tokens prepared for LDA: ['document', 'folder', 'b60436', 'pertain', 'specify', 'address', 'include', 'document', 'relate', 'include', 'drain', 'microfiche']
Original Request: A copy of the lot grade certificate from 2002 to 2003 regarding {a specified address}.
Tokens prepared for LDA: ['grade', 'certificate', 'regard', 'specify', 'address}.']
Original Request: A copy of all fire inspection or violation records relating to the Central Utilities Building located at {a specified address} at the York University Campus of 4700 Keele Street.
Tokens prepared for LDA: ['inspection', 'violation', 'record', 'relate', 'central', 'utility', 'building', 'locate', 'specify', 'address', 'university', 'campus', 'keele', 'street']
Original Request: A copy of the report compiled by 311 on July 12, 2013 at {a specified address} due to flooding damage post storm on July 8, 2013.
Tokens prepared for LDA: ['report', 'compile', 'specify', 'address', 'flood', 'damage', 'storm']
Original Request: A copy of the RESCU camera photos from the Gardiner Expressway opposite of the CN tower eastward on the exit at Bay Street. Photos from June 1, 2013 at 11:00 a.m.
Tokens prepared for LDA: ['rescu', 'camera', 'photo', 'gardiner', 'expressway', 'opposite', 'tower', 'eastward', 'street', 'photo', '11:00']
Original Request: A copy of the plumbing permit application and supporting documents and drawings regarding laundry room plumbing works installed on the bottom floor room at the apartment building at {a specified address} from 1996 or 1997.
Tokens prepared for LDA: ['plumb', 'permit', 'application', 'support', 'document', 'drawing', 'regard', 'laundry', 'plumb', 'install', 'floor', 'apartment', 'build', 'specify', 'address']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on July 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 13, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The fire report no. F13049505.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'report', 'f13049505']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 31, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The fire report no. F13021812.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'report', 'f13021812']
Original Request: A copy of any Building or City Planning records for {a specified address}, including agreements, applications, reports, permits, or other documents on file.
Tokens prepared for LDA: ['building', 'planning', 'record', 'specify', 'address', 'include', 'agreement', 'application', 'report', 'permit', 'document']
Original Request: A copy of records (i.e. applications or licenses) showing the names of all holders of building cleaner contractor licenses for the past 3 years.
Tokens prepared for LDA: ['record', 'application', 'license', 'holder', 'build', 'clean', 'contractor', 'license']
Original Request: A copy of the building permit application submitted by {a specified individual} at {a specified address}. File No. 11-168216 BLD00BA.
Tokens prepared for LDA: ['build', 'permit', 'application', 'submit', 'specify', 'individual', 'specify', 'address}.', '168216', 'bld00ba']
Original Request: A copy of any and all records from December 2012 to present relating to damage caused to the stone walkway at {a specified address}, Etobicoke by a City snow plow, including call records, confirmation of damage, etc.
Tokens prepared for LDA: ['record', 'december', 'present', 'relate', 'damage', 'cause', 'stone', 'walkway', 'specify', 'address', 'etobicoke', 'include', 'record', 'confirmation', 'damage']
Original Request: A copy of all building records and documents related to the foundation and retaining wall at {a specified address}, including records related to the replacement and waterproofing of damaged foundation wall, applications, permits, inspections, etc.
Tokens prepared for LDA: ['build', 'record', 'document', 'relate', 'foundation', 'retain', 'specify', 'address', 'include', 'record', 'relate', 'replacement', 'waterproof', 'damage', 'foundation', 'application', 'permit', 'inspection']
Original Request: A copy of any Building or City Planning information pertaining to {a specified address} and building permit records for file no. 240996 issued in 1986.
Tokens prepared for LDA: ['building', 'planning', 'information', 'pertain', 'specify', 'address', 'build', 'permit', 'record', '240996', 'issue']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 7, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of records related to the City conducting work on {a specified address} regarding the moving of a shut off valve two or three years prior to July 7, 2012. This may have been conducted as part of a plan TTC improvement on Sheppard Avenue.
Tokens prepared for LDA: ['record', 'relate', 'conduct', 'specify', 'address', 'regard', 'valve', 'prior', 'conduct', 'improvement', 'sheppard', 'avenue']
Original Request: A copy of information related to all unclaimed cheques drawn between January 1, 2012 and December 31, 2012, and still outstanding by July 1, 2013. Including the cheque number, date, amount, and beneficiary name.
Tokens prepared for LDA: ['information', 'relate', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'include', 'cheque', 'beneficiary']
Original Request: A copy of all files relating to building permits issued in 2007 and thereafter until June 10, 2009 with respect to {a specified address}.
Tokens prepared for LDA: ['relate', 'build', 'permit', 'issue', 'respect', 'specify', 'address}.']
Original Request: A copy of all 311 calls regarding {a specified address}.
Tokens prepared for LDA: ['regard', 'specify', 'address}.']
Original Request: A copy of records related to the extension existing since 1983 at {a specified address}, including a copy of the building permit.
Tokens prepared for LDA: ['record', 'relate', 'extension', 'exist', 'specify', 'address', 'include', 'build', 'permit']
Original Request: A copy of the building permits, complaints and dispute records related to house additions and renovations at {a specified address}, as well as engineer reports and any information related to Toronto and Region Conservation Authority reports.
Tokens prepared for LDA: ['build', 'permit', 'complaint', 'dispute', 'record', 'relate', 'house', 'addition', 'renovation', 'specify', 'address', 'engineer', 'report', 'information', 'relate', 'toronto', 'region', 'conservation', 'authority', 'report']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on June 18, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on May 4, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of records showing that Toronto Water completed work at {a specified address} after a pipe burst at this address on Decemver 20, 2012.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'complete', 'specify', 'address', 'burst', 'address', 'decemver']
Original Request: A copy of any records (e-mails, phone calls, or security logs) documenting calls for City Hall security to attend the Mayor's Office or incidents involving the Mayor between March 14 and 24, 2012.
Tokens prepared for LDA: ['record', 'phone', 'security', 'document', 'security', 'attend', 'mayor', 'office', 'incident', 'involve', 'mayor', 'march']
Original Request: A copy of all e-mails and phone records from Mark Towhey, George Christopoulos, Isaac Ransom, Kia Nejatian and Brian Johnston between March 15 and June 1, 2013.
Tokens prepared for LDA: ['phone', 'record', 'towhey', 'george', 'christopoulos', 'isaac', 'ransom', 'nejatian', 'brian', 'johnston', 'march']
Original Request: A copy of any reports and minutes from Facilities Services Custodial Supervisors' meetings from 2010 to present.
Tokens prepared for LDA: ['report', 'minute', 'facility', 'services', 'custodial', 'supervisor', 'meeting', 'present']
Original Request: A copy of any records related to and resulting from City drain inspections and sewage backup at {a specified address} for the following reference numbers: 150 7021 (May 27, 2012), 201 3810 (April 9, 2013) and 220 9251 (July 23, 2013).
Tokens prepared for LDA: ['record', 'relate', 'result', 'drain', 'inspection', 'sewage', 'backup', 'specify', 'address', 'follow', 'reference', 'number', 'april']
Original Request: A copy of any Public Health, Fire, MLS, and Building orders and violation records for {a specified address} as well as any inspection records for {a specified address}. Records for past 5 years.
Tokens prepared for LDA: ['public', 'health', 'building', 'order', 'violation', 'record', 'specify', 'address', 'inspection', 'record', 'specify', 'address}.', 'record']
Original Request: A copy of the Public Health inspection report from May 13, 2013, including the findings and landlord contact information as well as recommendations to the landlord of {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'include', 'finding', 'landlord', 'contact', 'information', 'recommendation', 'landlord', 'specify', 'address}.']
Original Request: A copy of records related to the compliance letter issued to {a specified address}, including the items listed on the letter and records showing the status of each item. Also items related to Forestry.
Tokens prepared for LDA: ['record', 'relate', 'compliance', 'letter', 'issue', 'specify', 'address', 'include', 'letter', 'record', 'status', 'relate', 'forestry']
Original Request: A copy of the Public Health inspection file no. 111473 regarding the dog attacks on June 21, 2013 and June 22, 2013 at {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'inspection', '111473', 'regard', 'attack', 'specify', 'address}.']
Original Request: A copy of any records of building permits or renovation plans for {a specified address}.
Tokens prepared for LDA: ['record', 'build', 'permit', 'renovation', 'specify', 'address}.']
Original Request: A copy of the property grading certificate for {a specified address}.
Tokens prepared for LDA: ['property', 'grade', 'certificate', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 22, 2013. Fire Report No. F13059820.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'report', 'f13059820']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 18, 2013. Fire Report No. F13029355.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april', 'report', 'f13029355']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the service records for the red light camera at Dixon and Carlingview from July 8 to July 12, 2013. Also records showing how many tickets are issued from this camera per day as well as how many tickets issued on July 12, 2013.
Tokens prepared for LDA: ['service', 'record', 'light', 'camera', 'dixon', 'carlingview', 'record', 'ticket', 'issue', 'camera', 'ticket', 'issue']
Original Request: A copy of the building records for {a specified address}, including file no.'s 11-305741DRN, BLD, and PLB. Records should including inspection notes and engineer reports.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', '305741drn', 'record', 'include', 'inspection', 'engineer', 'report']
Original Request: A copy of any outstanding MLS or Building work orders for {a specified address}.
Tokens prepared for LDA: ['outstanding', 'building', 'order', 'specify', 'address}.']
Original Request: A copy of records of water damage assessment completed on July 15, 2013 at {a specified address}.
Tokens prepared for LDA: ['record', 'water', 'damage', 'assessment', 'complete', 'specify', 'address}.']
Original Request: A copy of all sewer back records, reports, claims, repairs, and pending repairs or improvements for {a specified address}.
Tokens prepared for LDA: ['sewer', 'record', 'report', 'claim', 'repair', 'repair', 'improvement', 'specify', 'address}.']
Original Request: A copy of any and all work orders and or permits for work to be done and/or information about what work was done on the water pipes at or near {a specified address} during the week of January 4 to 9, 2009.
Tokens prepared for LDA: ['order', 'permit', 'and/or', 'information', 'water', 'specify', 'address', 'january']
Original Request: A copy of the Animal Service's case file no. 13734 regarding the dog at {a specified address}.
Tokens prepared for LDA: ['animal', 'service', '13734', 'regard', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on April 5, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of records related to damage to the Bell manhole located near the intersection of Adelaide Street West and Charlotte Street. The damage occurred in May 2012.
Tokens prepared for LDA: ['record', 'relate', 'damage', 'manhole', 'locate', 'intersection', 'adelaide', 'street', 'charlotte', 'street', 'damage', 'occur']
Original Request: A copy of file no. 13 199730 regarding a noise complaint about a pool pump at {a specified address}.
Tokens prepared for LDA: ['199730', 'regard', 'noise', 'complaint', 'specify', 'address}.']
Original Request: A copy of the health inspection report for {a specified address}, including records confirming mould and other health issued present regarding the 2010 and more recent complaints.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'include', 'record', 'confirm', 'mould', 'health', 'issue', 'present', 'regard', 'recent', 'complaint']
Original Request: A copy of the health inspection report for {a specified address}, including records confirming mould and other health issued present regarding the 2010 and more recent complaints.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'include', 'record', 'confirm', 'mould', 'health', 'issue', 'present', 'regard', 'recent', 'complaint']
Original Request: A copy of records confirming if the cold water was shut off (and on) by the City on June 28, 2013 at {a specified address}.
Tokens prepared for LDA: ['record', 'confirm', 'water', 'specify', 'address}.']
Original Request: A copy of the officer's inspection report completed on June 6, 2013 at {a specified address}. The file no. 2109941.
Tokens prepared for LDA: ['officer', 'inspection', 'report', 'complete', 'specify', 'address}.', '2109941']
Original Request: A copy of the building and PFR file for {a specified address}, including file no. 13-17393 as well as the tree preservation report and survey of trees to be removed and retained from Forestry.
Tokens prepared for LDA: ['build', 'specify', 'address', 'include', '17393', 'preservation', 'report', 'survey', 'remove', 'retain', 'forestry']
Original Request: A copy of the fire inspection report for {a specified address}. The inspection occurred on May 22, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address}.', 'inspection', 'occur']
Original Request: A copy of the HVAC permit from 2010 granted to {a specified address}.
Tokens prepared for LDA: ['permit', 'grant', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of any and all building records, applications, permits, plumbing permits, correspondence, field review and inspection reports, etc. related to {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'application', 'permit', 'plumb', 'permit', 'correspondence', 'field', 'review', 'inspection', 'report', 'relate', 'specify', 'address}.']
Original Request: A copy of the building permit application from 1991 for {a specified address}, specifically any geotechnical reports and storm water management reports.
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address', 'specifically', 'geotechnical', 'report', 'storm', 'water', 'management', 'report']
Original Request: A copy of the noise complaint report regarding {a specified address}, Etobicoke.
Tokens prepared for LDA: ['noise', 'complaint', 'report', 'regard', 'specify', 'address', 'etobicoke']
Original Request: A copy of any environmental complaints regarding the property located at {a specified address}.
Tokens prepared for LDA: ['environmental', 'complaint', 'regard', 'property', 'locate', 'specify', 'address}.']
Original Request: A copy of information regarding all outstanding FOI requests submitted to the Mayor's Office between January 1 and July 31, 2013, including request #, request type, source, summary, date request received, dates of communication/reminders to Mayor's Office
Tokens prepared for LDA: ['information', 'regard', 'outstanding', 'request', 'submit', 'mayor', 'office', 'january', 'include', 'request', 'request', 'source', 'summary', 'request', 'receive', 'communication', 'reminder', 'mayor', 'office']
Original Request: A copy of the fire incident report for {a specified address}. The incident occurred in March 2013.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the Animal Service and Public Health records related to a dog bite at {a specified address}. The incident occurred on May 31, 2013.
Tokens prepared for LDA: ['animal', 'service', 'public', 'health', 'record', 'relate', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of records related to a flood and sewer back up on July 8, 2013 at {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'flood', 'sewer', 'specify', 'address}.']
Original Request: A copy of the raw data results from surface water samples taken from Lake Ontario at Kew-Balmy Beach from July 25 to July 29, 2013.
Tokens prepared for LDA: ['datum', 'result', 'surface', 'water', 'sample', 'ontario', 'balmy', 'beach']
Original Request: A copy of any and all property and building records, building applications, permits, plumbing permits, mechanical plans, correspondence, field review and inspection reports and any other engineering and planning records for {a specified address}.
Tokens prepared for LDA: ['property', 'build', 'record', 'build', 'application', 'permit', 'plumb', 'permit', 'mechanical', 'correspondence', 'field', 'review', 'inspection', 'report', 'engineer', 'record', 'specify', 'address}.']
Original Request: A copy of any variances, special or conditional use permits (excluding signage), any open building or zoning code violations, certificates of occupancy and approved site plan for {a specified address}. Also any documents issued since June 2011.
Tokens prepared for LDA: ['variance', 'special', 'conditional', 'permit', 'exclude', 'signage', 'build', 'violation', 'certificate', 'occupancy', 'approve', 'specify', 'address}.', 'document', 'issue']
Original Request: A copy of all building permits, development proposals and applications and any associated documentation from 1998 to present for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'development', 'proposal', 'application', 'associate', 'documentation', 'present', 'specify', 'address}.']
Original Request: A copy of building inspectors' records for {a specified address}.
Tokens prepared for LDA: ['build', 'inspector', 'record', 'specify', 'address}.']
Original Request: A certified copy of ML&S inspector's report for {a specified address}. The inspection was done by Anthony Stewart on May 13, 2013 and the 1st week of August.
Tokens prepared for LDA: ['certify', 'inspector', 'report', 'specify', 'address}.', 'inspection', 'anthony', 'stewart', 'august']
Original Request: A copy of building inspectors' reports for {a specified address}. The permit number is 04-138306.
Tokens prepared for LDA: ['build', 'inspector', 'report', 'specify', 'address}.', 'permit', '138306']
Original Request: A copy of the video proceedings of the DRP meeting held on July 18, 2013 at City Hall, Committee Room 2 for the project name {a specified address}.
Tokens prepared for LDA: ['video', 'proceeding', 'committee', 'project', 'specify', 'address}.']
Original Request: A copy of building permits, inspection reports and any other comments on file for {a specified address} from 1997 to 2011. The last inspection was done in 2011.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'comment', 'specify', 'address', 'inspection']
Original Request: A copy of licensing file relating to {a specified address} for hair dresser/beauty salon. Salon is located at {a specified address}.
Tokens prepared for LDA: ['license', 'relate', 'specify', 'address', 'dresser', 'beauty', 'salon', 'salon', 'locate', 'specify', 'address}.']
Original Request: A copy of inspection report for {a specified address} from Public Health that was done in July 2013. Also, a copy of ML& S work order from an inspection that was done on July 30, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'public', 'health', 'order', 'inspection']
Original Request: A copy of records showing the parking allowances for street parking signage on individual streets in downtown Toronto.
Tokens prepared for LDA: ['record', 'allowance', 'street', 'signage', 'individual', 'street', 'downtown', 'toronto']
Original Request: A copy of records showing the parking allowances for street parking signage on individual streets in downtown Toronto.
Tokens prepared for LDA: ['record', 'allowance', 'street', 'signage', 'individual', 'street', 'downtown', 'toronto']
Original Request: A copy of the Committee of Adjustment files for {a specified address} (files A0156/11TEY and A0156/01TO), as well as any files relating to the condominium building at the west corner of Queen Street East and Woodbine Avenue.
Tokens prepared for LDA: ['committee', 'adjustment', 'specify', 'address', 'a0156/11tey', 'a0156/01to', 'relate', 'condominium', 'build', 'corner', 'queen', 'street', 'woodbine', 'avenue']
Original Request: A copy of the red light camera image for a motor vehicle accident that occurred July 18, 2013 at 7:10 p.m. at Midland and McNicoll.
Tokens prepared for LDA: ['light', 'camera', 'image', 'motor', 'vehicle', 'accident', 'occur', 'midland', 'mcnicoll']
Original Request: A copy of the MLS investigation file no. 11 317141 WST 00IR related to waste at {a specified address}.
Tokens prepared for LDA: ['investigation', '317141', 'relate', 'waste', 'specify', 'address}.']
Original Request: A copy of the fire report for the motor vehicle fire that occurred on Guildwood Parkway, Scarborough. The incident occurred on July 8, 2013. Fire Report No. F13053743.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'occur', 'guildwood', 'parkway', 'scarborough', 'incident', 'occur', 'report', 'f13053743']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 8, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of any notes and information about service calls to {a specified address} regarding water and backed up sewer issues.
Tokens prepared for LDA: ['information', 'service', 'specify', 'address', 'regard', 'water', 'sewer', 'issue']
Original Request: A copy of the complaint records stating that there was construction without a permit at {a specified address}.
Tokens prepared for LDA: ['complaint', 'record', 'state', 'construction', 'permit', 'specify', 'address}.']
Original Request: A copy of the flood report for {a specified address} regarding the main sewage problem on July 11, 2013. File No. 218-6296.
Tokens prepared for LDA: ['flood', 'report', 'specify', 'address', 'regard', 'sewage', 'problem']
Original Request: A copy of the MLS folder no. 10 252816 NOI00IR regarding {a specified address}, including the inspection report, correspondence, and further reports related to the complaint.
Tokens prepared for LDA: ['folder', '252816', 'noi00ir', 'regard', 'specify', 'address', 'include', 'inspection', 'report', 'correspondence', 'report', 'relate', 'complaint']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of all records related to the fire inspections for {a specified address} from 2013.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'specify', 'address']
Original Request: A copy of the MLS file related to {a specified address} from January 2011 to present including all photos, notes, inspections, etc. There was a complaint from requester to MLS and requester would like all records.
Tokens prepared for LDA: ['relate', 'specify', 'address', 'january', 'present', 'include', 'photo', 'inspection', 'complaint', 'requester', 'requester', 'record']
Original Request: A copy of the MLS file related to {a specified address} from January 2011 to present including all photos, notes, inspections, etc. There was a complaint from requester to MLS and requester would like all records.
Tokens prepared for LDA: ['relate', 'specify', 'address', 'january', 'present', 'include', 'photo', 'inspection', 'complaint', 'requester', 'requester', 'record']
Original Request: A copy of the zoning certificate for {a specified address}, Etobicoke.
Tokens prepared for LDA: ['certificate', 'specify', 'address', 'etobicoke']
Original Request: A copy of all building and forestry documentation related to the protection of the willow tree at {a specified address}, adjacent to {a specified address}, including the arborist report.
Tokens prepared for LDA: ['build', 'forestry', 'documentation', 'relate', 'protection', 'willow', 'specify', 'address', 'adjacent', 'specify', 'address', 'include', 'arborist', 'report']
Original Request: A copy of the Toronto Water report related to flooding that occurred at {a specified address} on July 8, 2013. Reference no. 2184983.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'relate', 'flood', 'occur', 'specify', 'address', 'reference', '2184983']
Original Request: A copy of taxicab records related to {a specified address} and {a specified address}, including ownership records and records of all standard taxicab plates owned by these individuals.
Tokens prepared for LDA: ['taxicab', 'record', 'relate', 'specify', 'address', 'specify', 'address', 'include', 'ownership', 'record', 'record', 'standard', 'taxicab', 'plate', 'individual']
Original Request: A copy of the building permits for renovations and any inspections from 1996 to present for the Second Cup at {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'renovation', 'inspection', 'present', 'second', 'specify', 'address}.']
Original Request: A copy of the City inspection report(s) related to a visit on July 14, 2013 with respect to flood damage that occurred on July 8, 2013 for {a specified address}
Tokens prepared for LDA: ['inspection', 'report(s', 'relate', 'visit', 'respect', 'flood', 'damage', 'occur', 'specify', 'address']
Original Request: A copy of all building records for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address}.']
Original Request: A copy of all building permit documents issued for the new house at {a specified address} in 1989 to 1990, including but not limited to permit application forms, receipts, zoning worksheets, inspections, and work orders.
Tokens prepared for LDA: ['build', 'permit', 'document', 'issue', 'house', 'specify', 'address', 'include', 'limit', 'permit', 'application', 'receipt', 'worksheet', 'inspection', 'order']
Original Request: A copy of sewer use by-law infractions for {a specified address}.
Tokens prepared for LDA: ['sewer', 'infraction', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 23, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of records showing how many employees in the past 10 years provided a doctor's letter to Human Resources recommending their return to a different department and actually allocated to a different department upon their return.
Tokens prepared for LDA: ['record', 'employee', 'provide', 'doctor', 'letter', 'human', 'resource', 'recommend', 'return', 'different', 'department', 'actually', 'allocate', 'different', 'department', 'return']
Original Request: A copy of records showing in the past 10 years how many people were hired and let go from Public Health's needle exchange program, including how many people received settlements for wrong dismissal, how much, and the reason.
Tokens prepared for LDA: ['record', 'people', 'public', 'health', 'needle', 'exchange', 'program', 'include', 'people', 'receive', 'settlement', 'wrong', 'dismissal', 'reason']
Original Request: A copy of the building records for {a specified address}, including any open or closed permits.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'close', 'permit']
Original Request: A copy of the dog bite records related to the incident that occurred on June 5, 2013 involving {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'occur', 'involve', 'specify', 'address}.']
Original Request: A copy of all Toronto Water and Transportation work reports regarding City lane beside {a specified address} extending east. Specifically, but not limited to, records related to the installation of the "infiltration lane" in 1993.
Tokens prepared for LDA: ['toronto', 'water', 'transportation', 'report', 'regard', 'specify', 'address', 'extend', 'specifically', 'limit', 'record', 'relate', 'installation', 'infiltration']
Original Request: A copy of the plan and profile from Engineering and Construction Services of Leslie Street from Gerrard to {a specified address}, plus the lane beside {a specified address}.
Tokens prepared for LDA: ['profile', 'engineering', 'construction', 'services', 'leslie', 'street', 'gerrard', 'specify', 'address', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}.
Tokens prepared for LDA: ['report', 'specify', 'address}.']
Original Request: A copy of records related to {a specified address}, including records related to the parking pad in the rear of the property.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'record', 'relate', 'property']
Original Request: A copy of any outstanding work orders against {a specified address}.
Tokens prepared for LDA: ['outstanding', 'order', 'specify', 'address}.']
Original Request: A copy of the files related to mould in the basement at {a specified address} from January to August.
Tokens prepared for LDA: ['relate', 'mould', 'basement', 'specify', 'address', 'january', 'august']
Original Request: A record of all calls placed and received through the office telephone used by Councillor Doug Ford and any other telephones that Councillor Ford uses and which are paid for by the City of Toronto, for the dates May 16, 2013 to June 1, 2013.
Tokens prepared for LDA: ['record', 'place', 'receive', 'office', 'telephone', 'councillor', 'telephone', 'councillor', 'toronto']
Original Request: A record of all calls placed and received through the office telephone used by David Price and any other telephones that David Price uses and which are paid for by the City of Toronto, for the dates May 16, 2013 to June 1, 2013.
Tokens prepared for LDA: ['record', 'place', 'receive', 'office', 'telephone', 'david', 'price', 'telephone', 'david', 'price', 'toronto']
Original Request: A record of all calls placed and received through Mayor Ford's Office telephone and the mobile and any other telephones that Mayor Ford uses and which are paid for by the City of Toronto, for the dates May 16, 2013 to June 1, 2013.
Tokens prepared for LDA: ['record', 'place', 'receive', 'mayor', 'office', 'telephone', 'mobile', 'telephone', 'mayor', 'toronto']
Original Request: A copy of business license records, Dinesafe inspection records, and any records confirming when the business was opened and closed relating to {a specified address}.
Tokens prepared for LDA: ['business', 'license', 'record', 'dinesafe', 'inspection', 'record', 'record', 'confirm', 'business', 'close', 'relate', 'specify', 'address}.']
Original Request: A copy of any building records for {a specified address} related to a 1988 application for an additions (file no. 887498) or related to the survey on file.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'relate', 'application', 'addition', '887498', 'relate', 'survey']
Original Request: A copy the Public Health records related to mould issues at {a specified address}, including all inspection notes. The inspectors were Melissa Simone and David Pignataro.
Tokens prepared for LDA: ['public', 'health', 'record', 'relate', 'mould', 'issue', 'specify', 'address', 'include', 'inspection', 'inspector', 'melissa', 'simone', 'david', 'pignataro']
Original Request: A copy of all Health inspection reports related to pool inspections and closures from January 2012 to July 2013 for {a specified address} and {a specified address}.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'relate', 'inspection', 'closure', 'january', 'specify', 'address', 'specify', 'address}.']
Original Request: A copy of the business name and address for the top 500 water users in the City of Toronto (i.e. those paying the greatest amount for Water).
Tokens prepared for LDA: ['business', 'address', 'water', 'toronto', 'great', 'water']
Original Request: A copy of the ML&S complaint record received on July 15, 2013 regarding {a specified address}.
Tokens prepared for LDA: ['complaint', 'record', 'receive', 'regard', 'specify', 'address}.']
Original Request: A copy of the engineering reports prior to construction, inspection report, and site grading report for {a specified address}.
Tokens prepared for LDA: ['engineer', 'report', 'prior', 'construction', 'inspection', 'report', 'grade', 'report', 'specify', 'address}.']
Original Request: A copy of the engineering report, site grading report and site inspection report for {a specified address}.
Tokens prepared for LDA: ['engineer', 'report', 'grade', 'report', 'inspection', 'report', 'specify', 'address}.']
Original Request: A copy of the water flow and water resource test reports from 2006 to present for the water line in the vicinity of Yonge Street and Church Street. Specifically servicing {a specified address}.
Tokens prepared for LDA: ['water', 'water', 'resource', 'report', 'present', 'water', 'vicinity', 'yonge', 'street', 'church', 'street', 'specifically', 'service', 'specify', 'address}.']
Original Request: A copy of the fire report for the motor vehicle accident at Pine Avenue and Boyd Street. The incident occurred on July 19, 2010.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'avenue', 'street', 'incident', 'occur']
Original Request: A copy of the Toronto Water report no. CSR 725-766 regarding the inspection at {a specified address}. The inspection occurred on July 25, 2013.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'regard', 'inspection', 'specify', 'address}.', 'inspection', 'occur']
Original Request: A copy of the building inspections for {a specified address} between June and August 2013.
Tokens prepared for LDA: ['build', 'inspection', 'specify', 'address', 'august']
Original Request: A copy of the building permit no. 11-185452 for {a specified address} including all inspection notes and reports for this property from March 16, 2012 to August 20, 2013.
Tokens prepared for LDA: ['build', 'permit', '185452', 'specify', 'address', 'include', 'inspection', 'report', 'property', 'march', 'august']
Original Request: A copy of the committee of adjustment application with associated drawing and the zoning review drawings submitted to the building department for {a specified address}.
Tokens prepared for LDA: ['committee', 'adjustment', 'application', 'associate', 'review', 'drawing', 'submit', 'build', 'department', 'specify', 'address}.']
Original Request: A copy of all building applications and letters on file for {a specified address}.
Tokens prepared for LDA: ['build', 'application', 'letter', 'specify', 'address}.']
Original Request: A copy of the sewer back up records for {a specified address} from June 22, 2013.
Tokens prepared for LDA: ['sewer', 'record', 'specify', 'address']
Original Request: A copy of all reports related to {a specified address}, including examiner reports, inspection reports, and Committee of Adjustment records.
Tokens prepared for LDA: ['report', 'relate', 'specify', 'address', 'include', 'examiner', 'report', 'inspection', 'report', 'committee', 'adjustment', 'record']
Original Request: A copy of Guideline sent by the City's Shelter Housing and Support in Feb. 2003 to all housing providers.
Tokens prepared for LDA: ['guideline', 'shelter', 'housing', 'support', 'february', 'house', 'provider']
Original Request: A copy of 2011 and 2012 parking ticket information, including the time, date, infraction code, infraction description, fine amount, location information, and RIN (or other information that could distinguish commercial vehicles from personal automobiles).
Tokens prepared for LDA: ['ticket', 'information', 'include', 'infraction', 'infraction', 'description', 'location', 'information', 'information', 'distinguish', 'commercial', 'vehicle', 'personal', 'automobile']
Original Request: A copy of any records related to lien(s) on {a specified address} including any records showing the property owner's name.
Tokens prepared for LDA: ['record', 'relate', 'lien(s', 'specify', 'address', 'include', 'record', 'property', 'owner']
Original Request: A copy of records related to the inspection of {a specified address} from August 14, 2013, specifically records showing the results of the inspection.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'specify', 'address', 'august', 'specifically', 'record', 'result', 'inspection']
Original Request: A copy of the video surveillance records #A0525 related to the west moat stairs installed by EllisDon in the vicinity of the top landing adjacent to the hoarding. The incident on July 19, 2013 at 9.00 am.
Tokens prepared for LDA: ['video', 'surveillance', 'record', 'a0525', 'relate', 'stair', 'install', 'ellisdon', 'vicinity', 'adjacent', 'hoard', 'incident']
Original Request: A copy of the sewer back up inspection records for {a specified address}, including the City report(s) for th entire street and a description of what occurred.
Tokens prepared for LDA: ['sewer', 'inspection', 'record', 'specify', 'address', 'include', 'report(s', 'entire', 'street', 'description', 'occur']
Original Request: A copy of the animal service records from file no. A13-013829, including the name and contact information for the owner and dogs that were involved in the incident on May 8, 2013.
Tokens prepared for LDA: ['animal', 'service', 'record', '013829', 'include', 'contact', 'information', 'owner', 'involve', 'incident']
Original Request: A copy of any MLS documentation regarding visits made to {a specified address} between January and March 31, 2013.
Tokens prepared for LDA: ['documentation', 'regard', 'visit', 'specify', 'address', 'january', 'march']
Original Request: A record of all calls placed and received through the office telephone used by George Christopoulos and any other telephones that he used as a member of Mayor Ford's staff and which were paid for by the City. Records from May 16 to 28, 2013.
Tokens prepared for LDA: ['record', 'place', 'receive', 'office', 'telephone', 'george', 'christopoulos', 'telephone', 'member', 'mayor', 'staff', 'record']
Original Request: A record of all calls placed and received through the office telephone used by Isaac Ransom and any other telephones that he used as a member of Mayor Ford's staff and which were paid for by the City. Records from May 16 to 28, 2013.
Tokens prepared for LDA: ['record', 'place', 'receive', 'office', 'telephone', 'isaac', 'ransom', 'telephone', 'member', 'mayor', 'staff', 'record']
Original Request: A record of all calls placed and received through the office telephone used by {a specified address} and any other telephones that Mark Towhey used as a member of Mayor Ford's staff and which were paid for by the City. Records from May 16 to June 1, 2013.
Tokens prepared for LDA: ['record', 'place', 'receive', 'office', 'telephone', 'specify', 'address', 'telephone', 'towhey', 'member', 'mayor', 'staff', 'record']
Original Request: A copy of the permit information for planting trees and landscaping at {a specified address} between April 1 to June 1, 2012.
Tokens prepared for LDA: ['permit', 'information', 'plant', 'landscape', 'specify', 'address', 'april']
Original Request: A copy of any or all memos, reports, studies, and briefing notes generated between January 1, 2011 and August 10, 2013 that detail complaints from workers about garbage truck operations.
Tokens prepared for LDA: ['report', 'study', 'brief', 'generate', 'january', 'august', 'complaint', 'worker', 'garbage', 'truck', 'operation']
Original Request: A list of licensed commercial parkings lots in Toronto.
Tokens prepared for LDA: ['license', 'commercial', 'parking', 'toronto']
Original Request: Any public opinion polls commissioned by the City but not released to the public in 2012 or 2013, excluding polls that have been released in city reports, such as City Manager's report on the casino issue.
Tokens prepared for LDA: ['public', 'opinion', 'commission', 'release', 'public', 'exclude', 'release', 'report', 'manager', 'report', 'casino', 'issue']
Original Request: A copy of building permit applications, inspection records, orders to comply, stormwater management plans/reports, engineering reports for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'inspection', 'record', 'order', 'comply', 'stormwater', 'management', 'report', 'engineer', 'report', 'specify', 'address}.']
Original Request: All documents (unredacted) relating to FolderNo. 13214963 LGW 00 1R and the Advisory Notice dated Aug. 2, 2013 for {a specified address}.
Tokens prepared for LDA: ['document', 'unredacted', 'relate', 'folderno', '13214963', 'advisory', 'notice', 'august', 'specify', 'address}.']
Original Request: A list of contact information for all of the Mayor's staff members including staffer's name, title, phone number, GIC, and e-mail address with their cell numbers redacted.
Tokens prepared for LDA: ['contact', 'information', 'mayor', 'staff', 'member', 'include', 'staffer', 'title', 'phone', 'address', 'number', 'redact']
Original Request: A copy of scaffolding construction report done by the Ministry of Health for {a specified address}, Toronto.
Tokens prepared for LDA: ['scaffold', 'construction', 'report', 'ministry', 'health', 'specify', 'address', 'toronto']
Original Request: A copy of all MLS and Public Health work orders, reports, and documents pertaining to {a specified address} from June 1, 2013 to present. Also any previous mould issue records relating to this property.
Tokens prepared for LDA: ['public', 'health', 'order', 'report', 'document', 'pertain', 'specify', 'address', 'present', 'previous', 'mould', 'issue', 'record', 'relate', 'property']
Original Request: A copy of any and all detailed information pertaining to {a specified address}, including drawings, blueprints of drainage system (interior, weeping tiles, sanitation lines, and storm lines).
Tokens prepared for LDA: ['information', 'pertain', 'specify', 'address', 'include', 'drawing', 'blueprint', 'drainage', 'interior', 'sanitation', 'storm']
Original Request: A copy of the building file for {a specified address}, including all inspection notes.
Tokens prepared for LDA: ['build', 'specify', 'address', 'include', 'inspection']
Original Request: A copy of building records for {a specified address}, in particular date of construction, original designated use and whether the building was designed to be used an an senior building.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'particular', 'construction', 'original', 'designate', 'build', 'design', 'senior', 'build']
Original Request: A copy of health inspector's report for {a specified address}. The publich health file number is 113456. The inspection related to mold issue in the basement and was done this year.
Tokens prepared for LDA: ['health', 'inspector', 'report', 'specify', 'address}.', 'publich', 'health', '113456', 'inspection', 'relate', 'issue', 'basement']
Original Request: Information on dog tags / dog license for # 135170 and/or 135070.
Tokens prepared for LDA: ['information', 'license', '135170', 'and/or', '135070']
Original Request: All permits issued to injure private trees for the last five years and the full Urban Forestry file for {a specified address}.
Tokens prepared for LDA: ['permit', 'issue', 'injure', 'private', 'urban', 'forestry', 'specify', 'address}.']
Original Request: A list of P-card amounts (including store locations) relating to Dufferin Grove Park from Jan. 1, 2013 to the most recent data available. A list of other grocery-related or supplies-related spending using purchase orders or petty cash disbursements.
Tokens prepared for LDA: ['include', 'store', 'location', 'relate', 'dufferin', 'grove', 'january', 'recent', 'datum', 'available', 'grocery', 'relate', 'supply', 'relate', 'spend', 'purchase', 'order', 'petty', 'disbursement']
Original Request: A copy of security plan and site plan for the Toronto Urban Roots Festival, Grove Music Festival and the Veld Music Festival from EDC.
Tokens prepared for LDA: ['security', 'toronto', 'urban', 'roots', 'festival', 'grove', 'music', 'festival', 'music', 'festival']
Original Request: A copy of reports, suggestions, recommendations written by Toronto Water staff relating to the sewage blocked, water backed up at {a specified address}. Service dates were Aug. 19, 2013 (#816356), Aug. 16 (#2252471), Aug. 17 (#2252942), Aug. 2 (#2226973
Tokens prepared for LDA: ['report', 'suggestion', 'recommendation', 'write', 'toronto', 'water', 'staff', 'relate', 'sewage', 'block', 'water', 'specify', 'address}.', 'service', 'august', '816356', 'august', '2252471', 'august', '2252942', 'august', '2226973']
Original Request: Copies of winter maintenance records for the intersection at Bathurst St. and Harbord St., in Toronto for the period of Dec. 31, 2009 to Jan. 5, 2010.
Tokens prepared for LDA: ['copy', 'winter', 'maintenance', 'record', 'intersection', 'bathurst', 'harbord', 'toronto', 'period', 'december', 'january']
Original Request: A complete copy of the building permit file for {a specified address}.
Tokens prepared for LDA: ['complete', 'build', 'permit', 'specify', 'address}.']
Original Request: A copy of the report from the City Inspector for reference # 2180326 confirming that the flood damage was from sewage for {a specified address}.
Tokens prepared for LDA: ['report', 'inspector', 'reference', '2180326', 'confirm', 'flood', 'damage', 'sewage', 'specify', 'address}.']
Original Request: A copy of any records showing the date that {a specified address} was built.
Tokens prepared for LDA: ['record', 'specify', 'address', 'build']
Original Request: A copy of all records from 1973 for interior site repairs, plumbing, and drainage related to {a specified address}.
Tokens prepared for LDA: ['record', 'interior', 'repair', 'plumb', 'drainage', 'relate', 'specify', 'address}.']
Original Request: A copy of all building permits for {a specified address} for the past 8 years.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address']
Original Request: A copy of all information pertaining to {a specified address} from 2013, including inspection records, letters, communication records, and permits related to a property survey, a tree on the property line, a shower built in the yard, and the fence.
Tokens prepared for LDA: ['information', 'pertain', 'specify', 'address', 'include', 'inspection', 'record', 'letter', 'communication', 'record', 'permit', 'relate', 'property', 'survey', 'property', 'shower', 'build', 'fence']
Original Request: All records of notices or complaints for {a specified address} relating to Right of Way encroachment for the period of July 2011 to present.
Tokens prepared for LDA: ['record', 'notice', 'complaint', 'specify', 'address', 'relate', 'right', 'encroachment', 'period', 'present']
Original Request: A copy of all building records pertaining to {a specified address}, including all permits, pictures or any other documents available.
Tokens prepared for LDA: ['build', 'record', 'pertain', 'specify', 'address', 'include', 'permit', 'picture', 'document', 'available']
Original Request: A copy of the Public Health records related to an inspection of mould at {a specified address}. File No. 113883. Also records related to a second inspection related to the structure of the building. Both inspections occurred in August 2013.
Tokens prepared for LDA: ['public', 'health', 'record', 'relate', 'inspection', 'mould', 'specify', 'address}.', '113883', 'record', 'relate', 'inspection', 'relate', 'structure', 'build', 'inspection', 'occur', 'august']
Original Request: A copy of any flood investigation report since 2006 for {a specified address}, any drain plan depicting sewer connection from {a specified address} to City's sewer system, and any building permit on record issued.
Tokens prepared for LDA: ['flood', 'investigation', 'report', 'specify', 'address', 'drain', 'depict', 'sewer', 'connection', 'specify', 'address', 'sewer', 'build', 'permit', 'record', 'issue']
Original Request: A copy of all information regarding all permits for the renovations at {a specified address}, including all written reports.
Tokens prepared for LDA: ['information', 'regard', 'permit', 'renovation', 'specify', 'address', 'include', 'write', 'report']
Original Request: History of building permit applications, work orders, committee of adjustment, zoning review applications for {a specified address}, Etobicoke.
Tokens prepared for LDA: ['history', 'build', 'permit', 'application', 'order', 'committee', 'adjustment', 'review', 'application', 'specify', 'address', 'etobicoke']
Original Request: A copy of all building documents related to {a specified address} from 1890 to present.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'present']
Original Request: A copy of the Urban Forestry records, Toronto Maintenance Management System records and any damage report pertaining to the tree located at {a specified address}.
Tokens prepared for LDA: ['urban', 'forestry', 'record', 'toronto', 'maintenance', 'management', 'record', 'damage', 'report', 'pertain', 'locate', 'specify', 'address}.']
Original Request: A copy of all records from 2005 to present pertaining to the downspout disconnection at {a specified address}, including any possible orders or violations issued.
Tokens prepared for LDA: ['record', 'present', 'pertain', 'downspout', 'disconnection', 'specify', 'address', 'include', 'possible', 'order', 'violation', 'issue']
Original Request: A copy of any records showing a legal basement apartment at {a specified address}, including dates, permits, etc. As well as the ML&S inspection records from {a specified address} pertaining to the basement apartment (file no. 2260729).
Tokens prepared for LDA: ['record', 'legal', 'basement', 'apartment', 'specify', 'address', 'include', 'permit', 'inspection', 'record', 'specify', 'address', 'pertain', 'basement', 'apartment', '2260729']
Original Request: A copy of the information regarding the activity number A13-016927 regarding the names and licence numbers of the 2 Mastiff dogs who were destroyed after attacking {a specified address} on July 8, 2013.
Tokens prepared for LDA: ['information', 'regard', 'activity', '016927', 'regard', 'licence', 'number', 'mastiff', 'destroy', 'attack', 'specify', 'address']
Original Request: A copy of building inspection report for {a specified address}. The inspection was done on Aug. 12, 2013 on the canopy on the property. The permit number was 12-287180 BLD 00 BA.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address}.', 'inspection', 'august', 'canopy', 'property', 'permit', '287180']
Original Request: A copy of sewage / drain inspection video relating to the City side of sewage. The inspection was done on Aug. 29, 2013 under 311 reference number 227-3344.
Tokens prepared for LDA: ['sewage', 'drain', 'inspection', 'video', 'relate', 'sewage', 'inspection', 'august', 'reference']
Original Request: A list of the first and last names of all taxi drivers licensed to operate in Toronto, along with the company name under which they carry on business and if applicable the name of the taxi owner and broker.
Tokens prepared for LDA: ['driver', 'license', 'operate', 'toronto', 'company', 'carry', 'business', 'applicable', 'owner', 'break']
Original Request: A copy of building permits, applications, investigation reports and other documents attached to the permit file for {a specified address} from 2010 to 2013.
Tokens prepared for LDA: ['build', 'permit', 'application', 'investigation', 'report', 'document', 'attach', 'permit', 'specify', 'address']
Original Request: A copy of records related to the change of the garage door to the underground parking garage at {a specified address}. The door was changed approximately early April 2009 without a permit. Including all associated records and complaints.
Tokens prepared for LDA: ['record', 'relate', 'change', 'garage', 'underground', 'garage', 'specify', 'address}.', 'change', 'approximately', 'early', 'april', 'permit', 'include', 'associate', 'record', 'complaint']
Original Request: A copy of records related to the parking lot lights located at the Albion and Finch Plaza, specifically records from September 15 to October 15, 2011 including patrol, inspection, maintenance, and work order records.
Tokens prepared for LDA: ['record', 'relate', 'light', 'locate', 'albion', 'finch', 'plaza', 'specifically', 'record', 'september', 'october', 'include', 'patrol', 'inspection', 'maintenance', 'order', 'record']
Original Request: A copy of building records showing the designated use for the property located at {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'designate', 'property', 'locate', 'specify', 'address}.']
Original Request: A copy of traffic light sequence report for the intersection at Yonge St. and Highway 401 E/B on November 18, 2010.
Tokens prepared for LDA: ['traffic', 'light', 'sequence', 'report', 'intersection', 'yonge', 'highway', 'november']
Original Request: A copy of all phone records for David Price from March 1 to April 30, 2013.
Tokens prepared for LDA: ['phone', 'record', 'david', 'price', 'march', 'april']
Original Request: A copy of all e-mails for Michael Prempeh, Chris Fickel, Carley McNeil, Sunny Petrujkic, Amin Massoudi, and Brooks Barnett from March 28 to June 30, 2013.
Tokens prepared for LDA: ['michael', 'prempeh', 'chris', 'fickel', 'carley', 'mcneil', 'sunny', 'petrujkic', 'massoudi', 'brooks', 'barnett', 'march']
Original Request: A copy of all phone records of David Price, Michael Prempeh, Chris Fickel, Carley McNeil, Sunny Petrujkic, Amin Massoudi, and Brooks Barnett from March 28 to June 30, 2013.
Tokens prepared for LDA: ['phone', 'record', 'david', 'price', 'michael', 'prempeh', 'chris', 'fickel', 'carley', 'mcneil', 'sunny', 'petrujkic', 'massoudi', 'brooks', 'barnett', 'march']
Original Request: Aerial photo of the intersection at Keele St. and Wilson Ave. on Oct. 1, 2010; location of the construction, which road and which direction it was on; any lanes blocked and configuration of the road with the construction.
Tokens prepared for LDA: ['aerial', 'photo', 'intersection', 'keele', 'wilson', 'october', 'location', 'construction', 'direction', 'block', 'configuration', 'construction']
Original Request: A copy of Event Chronology Report for {} from Toronto Fire Services for the incident that occurred on Nov. 13, 2013.
Tokens prepared for LDA: ['event', 'chronology', 'report', 'toronto', 'services', 'incident', 'occur', 'november']
Original Request: A copy of building and ML&S inspection report for {}. The inspections were done on March 8, 2013 (reference number 1974366) and February 17, 2013 (reference number 1938326).
Tokens prepared for LDA: ['build', 'inspection', 'report', 'inspection', 'march', 'reference', '1974366', 'february', 'reference', '1938326']
Original Request: Any and all records for {Company's name} owned by {individual's name} and {individual's name} pertaining to {home owner's name} homeowner of {} from 1984 to present. Including information found by Doug Stubbings.
Tokens prepared for LDA: ['record', 'company', 'individual', 'individual', 'pertain', 'owner', 'homeowner', 'present', 'include', 'information', 'stubbings']
Original Request: Any and all records including photos, documents, correspondence, e-mails etc. pertaining to {} as well as site visit report of E. Hunter, N, D'Souza and D. Nichols since initial visit to present.
Tokens prepared for LDA: ['record', 'include', 'photo', 'document', 'correspondence', 'pertain', 'visit', 'report', 'hunter', "d'souza", 'nichols', 'initial', 'visit', 'present']
Original Request: Record of total parking tickets issued for offense related a standing vehicle in an on-street loading zone for persons without proper display of a valid permit. From January 1, 2013 to December 31, 2013.
Tokens prepared for LDA: ['record', 'total', 'ticket', 'issue', 'offense', 'relate', 'stand', 'vehicle', 'street', 'person', 'proper', 'display', 'valid', 'permit', 'january', 'december']
Original Request: All records pertaining to the City of Toronto response to the ice storm and power outages that unfolded between Dec. 21, 2013 and January 3, 2014
Tokens prepared for LDA: ['record', 'pertain', 'toronto', 'response', 'storm', 'power', 'outage', 'unfold', 'december', 'january']
Original Request: A copy of Committee of Adjustment record A 0984/11 TEY pertaining to {} including the decision, site plan and 4 sided representation of evaluation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0984/11', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: A copy of Committee Adjustment record A 0882/08TEY pertaining to {} including the decision, site plan and 4 sided representation of elevation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0882/08tey', 'pertain', 'include', 'decision', 'representation', 'elevation', 'drawing']
Original Request: A copy of Committee Adjustment record A 0340/10TEY pertaining to {} including the decision, site plan and 4 sided representation of evaluation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0340/10tey', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: A copy of Committee Adjustment record A 0788/12TEY pertaining to {} including the decision, site plan and 4 sided representation of evaluation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0788/12tey', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: A copy of Committee Adjustment record A 0789/12TEY pertaining to {} including the decision, site plan and 4 sided representation of evaluation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0789/12tey', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: A copy of Committee Adjustment record A 0036/13TEY pertaining to {} including the decision, site plan, 4 sided representation of evaluation drawings and GFA map from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0036/13tey', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: A copy of Committee Adjustment record A 0866/13TEY pertaining to {} including the decision, site plan and 4 sided representation of evaluation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', '0866/13tey', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: A copy of Committee Adjustmentrecord A 0802/12TEY pertaining to {} including the decision, site plan and 4 sided representation of evaluation drawings from 2006 to 2013.
Tokens prepared for LDA: ['committee', 'adjustmentrecord', '0802/12tey', 'pertain', 'include', 'decision', 'representation', 'evaluation', 'drawing']
Original Request: Copies of complaint investigation reports No. 1828131 and No. 1904467 filed between Jan.31, 2013 and April 30, 2013 including order given by Stanly F. pertaining to {} owned by {owner's name}. The issue is on heat and property maintenance.
Tokens prepared for LDA: ['copy', 'complaint', 'investigation', 'report', '1828131', '1904467', 'jan.31', 'april', 'include', 'order', 'stanly', 'pertain', 'owner', 'name}.', 'issue', 'property', 'maintenance']
Original Request: A complete copy of investigation record No. 1327745 detailing the name of the individual or organization that made the complaint. The ML&S officer was J. Sophocleous.
Tokens prepared for LDA: ['complete', 'investigation', 'record', '1327745', 'individual', 'organization', 'complaint', 'officer', 'sophocleous']
Original Request: A copy of permit of occupancy issued to a denture clinic located at {} in 1972.
Tokens prepared for LDA: ['permit', 'occupancy', 'issue', 'denture', 'clinic', 'locate']
Original Request: A copy of public health report conducted at {} in 2012 and a list of all reported bed bug cases for this building within the last five years.
Tokens prepared for LDA: ['public', 'health', 'report', 'conduct', 'report', 'build']
Original Request: A complete copy of incident report pertaining to lateral sewer break (public portion) which occurred on or about June 28, 2013 at {}, including inspection maintenance and service records from 2000 to present.
Tokens prepared for LDA: ['complete', 'incident', 'report', 'pertain', 'lateral', 'sewer', 'break', 'public', 'portion', 'occur', 'include', 'inspection', 'maintenance', 'service', 'record', 'present']
Original Request: A complete copy of incident report including; site notes, damage reports or work records pertaining to water main break which occurred on September 3, 2013 at Yonge Street and Empress Avenue, causing damages to underground Bell structure.
Tokens prepared for LDA: ['complete', 'incident', 'report', 'include', 'damage', 'report', 'record', 'pertain', 'water', 'break', 'occur', 'september', 'yonge', 'street', 'empress', 'avenue', 'cause', 'damage', 'underground', 'structure']
Original Request: Copies of all correspondence between EDC and Mayor Rob Ford and/or Councillor Doug Ford and/or their staff, concerning a company, {company's }, and it's application with the City's IMIT Financial Program.
Tokens prepared for LDA: ['copy', 'correspondence', 'mayor', 'and/or', 'councillor', 'and/or', 'staff', 'concern', 'company', 'company', 'application', 'financial', 'program']
Original Request: A copy of all records relating to 311 calls and other complaints pertaining to the road and sidewalk maintenance, inspection, snow removal and salting that took place on Longmore St. and Dunview Ave as a route for the month of January 2013.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'pertain', 'sidewalk', 'maintenance', 'inspection', 'removal', 'place', 'longmore', 'dunview', 'route', 'month', 'january']
Original Request: A copy of all records relating to 311 calls and other complaints pertaining to the road and sidewalk maintenance, inspection, snow removal and salting that took place on Longmore St. and Dunview Ave as a route for the month of January 2013.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'pertain', 'sidewalk', 'maintenance', 'inspection', 'removal', 'place', 'longmore', 'dunview', 'route', 'month', 'january']
Original Request: A copy of fire and safety inspection report for {} from November 23, 2012 to December 24, 2012. The inspection was done by Chris McLellan.
Tokens prepared for LDA: ['safety', 'inspection', 'report', 'november', 'december', 'inspection', 'chris', 'mclellan']
Original Request: A copy of work order issued to {} in 2002.
Tokens prepared for LDA: ['order', 'issue']
Original Request: Any record relating to to the replacement of a double lane curb with a single lane curb outside the immediate drive area at {} between December 12 - 13, 2013. Information on what triggered this work to be done.
Tokens prepared for LDA: ['record', 'relate', 'replacement', 'double', 'single', 'outside', 'immediate', 'drive', 'december', 'information', 'trigger']
Original Request: All records pertaining to {} from 2008 to Dec. 31 from Building, ML&S, Public Health and Fire Prevention. Also, records from Toronto Water for {company's } and {company's } from 2008 to Dec. 31, 2013.
Tokens prepared for LDA: ['record', 'pertain', 'december', 'building', 'public', 'health', 'prevention', 'record', 'toronto', 'water', 'company', 'company', 'december']
Original Request: All records pertaining to {} from Building, ML&S, Public Health and Fire Prevention from 2008 to Dec. 31, 2013. Also records from Toronto Water for {company's } and {company's } from 2008 to Dec. 31, 2013.
Tokens prepared for LDA: ['record', 'pertain', 'building', 'public', 'health', 'prevention', 'december', 'record', 'toronto', 'water', 'company', 'company', 'december']
Original Request: All records pertaining to {} from Building, ML&S, Public Health and Fire Prevention from 2008 to Dec. 31, 2013. Also, records from Toronto Water for {company's } and {company's } from 2008 to Dec. 31, 2013.
Tokens prepared for LDA: ['record', 'pertain', 'building', 'public', 'health', 'prevention', 'december', 'record', 'toronto', 'water', 'company', 'company', 'december']
Original Request: All records pertaining to {} from Building, ML&S, Public Health and Fire Prevention from 2008 to Dec. 31, 2013. Also, records from Toronto Water for {company's } and {company's } from 2008 to Dec. 31, 2013.
Tokens prepared for LDA: ['record', 'pertain', 'building', 'public', 'health', 'prevention', 'december', 'record', 'toronto', 'water', 'company', 'company', 'december']
Original Request: All records pertaining to {} from Building, ML&S, Public Health and Fire Prevention from 2008 to Dec. 31, 2013. Also, records from Toronto Water for {company's } and {company's } from 2008 to Dec. 31, 2013.
Tokens prepared for LDA: ['record', 'pertain', 'building', 'public', 'health', 'prevention', 'december', 'record', 'toronto', 'water', 'company', 'company', 'december']
Original Request: All records relating to a Site Plan Application Application # 13 113297 ESC 37 SA filed by {company's } on Jan. 29, 2013 for {} for the purpose of establishing a recycling facility on the site.
Tokens prepared for LDA: ['record', 'relate', 'application', 'application', '113297', 'company', 'january', 'purpose', 'establish', 'recycle', 'facility']
Original Request: A copy of health inspection report and records for {}.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'record']
Original Request: A copy of all inspection reports and other records for {} pertaining to renovation.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'pertain', 'renovation']
Original Request: A copy of all inspection reports and other records for {} pertaining to renovation.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'pertain', 'renovation']
Original Request: All records of water main maintenance systems from 2001 to present (including but not limited to reports photographs, documents and videotapes), pertaining to property damage incident on February 1, 2013 at {}.
Tokens prepared for LDA: ['record', 'water', 'maintenance', 'present', 'include', 'limit', 'report', 'photograph', 'document', 'videotape', 'pertain', 'property', 'damage', 'incident', 'february']
Original Request: A complete copy of Property Standards Committee report made by {individual's name} pertaining to {}
Tokens prepared for LDA: ['complete', 'property', 'standard', 'committee', 'report', 'individual', 'pertain']
Original Request: A copy of work order file issued by Ken Stevens, ML&S Officer for {}. The order was issued in the week of Jan. 6, 2014 and the reference number is i3485555-2461952.
Tokens prepared for LDA: ['order', 'issue', 'stevens', 'officer', 'order', 'issue', 'january', 'reference', 'i3485555', '2461952']
Original Request: All records / documents relating to the ML&S By-law enforcement investigations of two adult entertainment clubs operating as {Company name and {}} and {company name and {}} from Jan. 1, 2009 to Jan. 1, 2014.
Tokens prepared for LDA: ['record', 'document', 'relate', 'enforcement', 'investigation', 'adult', 'entertainment', 'operate', 'company', 'company', 'january', 'january']
Original Request: Pictures taken by a ML&S officer during an inspection of {}. Photos were taken on march 27, 2013 and May 7, 2013. The file number is 13140052 PRS 00 IR.
Tokens prepared for LDA: ['picture', 'officer', 'inspection', 'photo', 'march', '13140052']
Original Request: All information from Toronto Building, exclude plans, and City Planning for {}, from 1950 to 2014.
Tokens prepared for LDA: ['information', 'toronto', 'building', 'exclude', 'planning']
Original Request: All and any records, correspondence, e-mails from the Deputy Mayor addressed to or mentioning the Canadian Army, RCMP or police since Dec. 20, 2013.
Tokens prepared for LDA: ['record', 'correspondence', 'deputy', 'mayor', 'address', 'mention', 'canadian', 'police', 'december']
Original Request: All records relating to the classification for building located at {} between January 1996 to January 1998, including all property tax payment record from January 1996 to present , to determine possible overpayment of property taxes.
Tokens prepared for LDA: ['record', 'relate', 'classification', 'build', 'locate', 'january', 'january', 'include', 'property', 'payment', 'record', 'january', 'present', 'determine', 'possible', 'overpayment', 'property', 'taxis']
Original Request: Records of inquiries regarding any breach of City by-law on plants, hedging, trees and fence from June 2011 to Sept. 2013 for {}; all complaints relating to animal off leash, extended leash for the year 2013
Tokens prepared for LDA: ['record', 'inquiry', 'regard', 'breach', 'plant', 'hedge', 'fence', 'september', 'complaint', 'relate', 'animal', 'leash', 'extend', 'leash']
Original Request: Records of inquiries regarding any breach of City by-law on plants, hedging, trees and fence from June 2011 to Sept. 2013 for {}; all complaints relating to animal off leash, extended leash for the year 2013
Tokens prepared for LDA: ['record', 'inquiry', 'regard', 'breach', 'plant', 'hedge', 'fence', 'september', 'complaint', 'relate', 'animal', 'leash', 'extend', 'leash']
Original Request: A copy of By-Law enforcement report, 311 reference No. 2430665 of December 16. 2013, for {{} } regarding low heat complaint and resulting in notice of violation from December 16 -20, 2013..
Tokens prepared for LDA: ['enforcement', 'report', 'reference', '2430665', 'december', 'regard', 'complaint', 'result', 'notice', 'violation', 'december']
Original Request: A copy of all records relating to 311 calls and other complaints on the road and sidewalk maintenance, inspection, snow removal and salting that took place on Willowdale Ave. (between Sheppard Ave E. and Finch Ave E.) as a route, for the month of Jan. 201
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'sidewalk', 'maintenance', 'inspection', 'removal', 'place', 'willowdale', 'sheppard', 'finch', 'route', 'month', 'january']
Original Request: Any and all information pertaining to the number of exotic animals seized in the City of Toronto from August 5, 2013 to present.
Tokens prepared for LDA: ['information', 'pertain', 'exotic', 'animal', 'seize', 'toronto', 'august', 'present']
Original Request: All records related to City of Toronto employees doing overtime in relation to the ice storm.
Tokens prepared for LDA: ['record', 'relate', 'toronto', 'employee', 'overtime', 'relation', 'storm']
Original Request: A complete copy of building report for {} from October 31, 2013 to January 2, 2014.
Tokens prepared for LDA: ['complete', 'build', 'report', 'october', 'january']
Original Request: A copy of notices to comply (No. 13 217992 FEN 00 IV) issued Aug. 9, 2013; order to comply (No. 11 284085 WP 00 VI) issued Sept 28, 2011; investigation report (No. 13 154398 000 00 BR) and building permit (No. 11 309261 BLD 00 SR) for {}.
Tokens prepared for LDA: ['notice', 'comply', '217992', 'issue', 'august', 'order', 'comply', '284085', 'issue', 'investigation', 'report', '154398', 'build', 'permit', '309261']
Original Request: Copies of all records relating to {} including but not limited to building applications, municipal agreements, staff reports, building inspector's notes and heritage notes from 1980 to present.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'include', 'limit', 'build', 'application', 'municipal', 'agreement', 'staff', 'report', 'build', 'inspector', 'heritage', 'present']
Original Request: A copy of health inspection report including any notes taken for the inspection done by Natalya Plotnikova at {} on July 26, 2013.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'include', 'inspection', 'natalya', 'plotnikova']
Original Request: Written conrimation that {} contains 2 legal apartments.
Tokens prepared for LDA: ['write', 'conrimation', 'contain', 'legal', 'apartment']
Original Request: Copies of all heritage records relating to {} including but not limited to building permit applications, reports, building inspector's notes, heritage notes, completion of restorative work and ongoing obligations from 1980 to present.
Tokens prepared for LDA: ['copy', 'heritage', 'record', 'relate', 'include', 'limit', 'build', 'permit', 'application', 'report', 'build', 'inspector', 'heritage', 'completion', 'restorative', 'ongoing', 'obligation', 'present']
Original Request: A copy of the building and city planning records related to {} as far back as possible.
Tokens prepared for LDA: ['build', 'record', 'relate', 'possible']
Original Request: All communications related to the ice storm, between December 20 and December 31, between the city and Premier Kathleen Wynne's office, provincial ministers, Deputy Mayor's Office, the Mayor's Office, and City Manager's Office
Tokens prepared for LDA: ['communication', 'relate', 'storm', 'december', 'december', 'premier', 'kathleen', 'wynne', 'office', 'provincial', 'minister', 'deputy', 'mayor', 'office', 'mayor', 'office', 'manager', 'office']
Original Request: All e-mails related to the ice storm, between December 20 and December 23, between any of A) City Manager Joe Pennachetti, Deputy City Manager John Livey, and Jackie DeSouza, and B) Mayor Rob Ford or his staff or C) Deputy Mayor Norm Kelly or his staff.
Tokens prepared for LDA: ['relate', 'storm', 'december', 'december', 'manager', 'pennachetti', 'deputy', 'manager', 'livey', 'jackie', 'desouza', 'mayor', 'staff', 'deputy', 'mayor', 'kelly', 'staff']
Original Request: Any and all correspondence between Dec. 20 and 24, 2013 on the declaration of a formal "emergency". All records from the Mayor's Office, Dep. Mayor's Office, Joe Pennachetti, Rob Rossini, John Livey, Jackie DeSouza, Stephen Buckley, and Phillip Abrahams
Tokens prepared for LDA: ['correspondence', 'december', 'declaration', 'formal', 'emergency', 'record', 'mayor', 'office', 'mayor', 'office', 'pennachetti', 'rossini', 'livey', 'jackie', 'desouza', 'stephen', 'buckley', 'phillip', 'abraham']
Original Request: Any and all records on December 21 or December 22 including e-mails related to the unsuccessful effort to contact Mayor Ford from Joe Pennachetti, John Livey, or any other city officials Mr. Pennachetti or Mr. Livey believe tried to contact Mayor Ford.
Tokens prepared for LDA: ['record', 'december', 'december', 'include', 'relate', 'unsuccessful', 'effort', 'contact', 'mayor', 'pennachetti', 'livey', 'official', 'pennachetti', 'livey', 'believe', 'contact', 'mayor']
Original Request: Any and all records pertaining to {} under Permit No. 2013-235622 TSE regarding an order for demolition from 2011 to present.
Tokens prepared for LDA: ['record', 'pertain', 'permit', '235622', 'regard', 'order', 'demolition', 'present']
Original Request: Records of construction, renovation and demolition project applications under categories of multi-residential (six units of larger) commercial and industrial, including relevant permits within Hwy 401 to south, Hwy 404 to east, Hwy 427 to west etc.
Tokens prepared for LDA: ['record', 'construction', 'renovation', 'demolition', 'project', 'application', 'category', 'multi', 'residential', 'large', 'commercial', 'industrial', 'include', 'relevant', 'permit', 'south']
Original Request: A copy of deficiencies notices and/or work orders for {} from Jan. 2012 to present.
Tokens prepared for LDA: ['deficiency', 'notice', 'and/or', 'order', 'january', 'present']
Original Request: Evaluation scoring sheets for all responses received for RFP 9144-13-7234 relating to supply chain.
Tokens prepared for LDA: ['evaluation', 'score', 'sheet', 'response', 'receive', 'relate', 'supply', 'chain']
Original Request: Copies of all documentation relating to reports, recommendations, inspections, diaries, work orders and records with respect to {} pertaining to sewers and the private side of the sewer lines including any dine safe inspections.
Tokens prepared for LDA: ['copy', 'documentation', 'relate', 'report', 'recommendation', 'inspection', 'diary', 'order', 'record', 'respect', 'pertain', 'sewer', 'private', 'sewer', 'include', 'inspection']
Original Request: Information pertaining to the improper location of water drainage spouts at {}; file # 2334078, including inspection reports, from October 1, 2012 to December 31, 2013.
Tokens prepared for LDA: ['information', 'pertain', 'improper', 'location', 'water', 'drainage', 'spout', '2334078', 'include', 'inspection', 'report', 'october', 'december']
Original Request: Any records pertaining to pictures and other information from ML&S from Dec.20, 2013 to Jan. 12, 2014, and any fire inspedtion records from Dec. 13, 2013 to Jan. 16, 2014 for {}.
Tokens prepared for LDA: ['record', 'pertain', 'picture', 'information', 'dec.20', 'january', 'inspedtion', 'record', 'december', 'january']
Original Request: Complete copy of ML&S report pertaining to investigation conducted by Bruce Quick for {} relating to the downpipe issue.
Tokens prepared for LDA: ['complete', 'report', 'pertain', 'investigation', 'conduct', 'bruce', 'quick', 'relate', 'downpipe', 'issue']
Original Request: A copy of Section 37 Agreement on title for {}; {organization's name}, formerly {organization's name}, formerly {organization's name}.
Tokens prepared for LDA: ['section', 'agreement', 'title', 'organization', 'organization', 'organization', 'name}.']
Original Request: A copy of Section 37 Agreement between {}; {organization's name}, formerly {organization's name}, formerly {organization's name} and the City of Toronto.
Tokens prepared for LDA: ['section', 'agreement', 'organization', 'organization', 'organization', 'toronto']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: Copies of permits and work orders for sidewalk or water repair work done at the intersection of Mt. Pleasant and Inglewood Dr from Jan. 12, 2012 to Jan. 2, 2013 pertaining to claim # C79971 for damages caused to Bell Canada's underground buried cables.
Tokens prepared for LDA: ['copy', 'permit', 'order', 'sidewalk', 'water', 'repair', 'intersection', 'mount', 'pleasant', 'inglewood', 'january', 'january', 'pertain', 'claim', 'c79971', 'damage', 'cause', 'canada', 'underground', 'cable']
Original Request: Any and all information including photographs, notes and records for water main repairs to {} from Dec. 1-31, 2013.
Tokens prepared for LDA: ['information', 'include', 'photograph', 'record', 'water', 'repair', 'december']
Original Request: A copy of building inspection report completed by Myron Kowayk for {} pertaining to case with the Landlord & Tenant Board and allegations that the unit is uninhabitable.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'complete', 'myron', 'kowayk', 'pertain', 'landlord', 'tenant', 'board', 'allegation', 'uninhabitable']
Original Request: All zoning, building, licensing and fire services records related to the business operations at {}, The {organization's name}; pertaining to the use of the premises from Jan. 1, 1989 to Dec. 31, 2005.
Tokens prepared for LDA: ['build', 'license', 'service', 'record', 'relate', 'business', 'operation', 'organization', 'pertain', 'premise', 'january', 'december']
Original Request: A copy of complaint filed to the Auditor General's Office, tracking & complaint # {number removed}.
Tokens prepared for LDA: ['complaint', 'auditor', 'general', 'office', 'track', 'complaint', 'removed}.']
Original Request: Any and all building and fire department: inspection notes, records and meeting minutes for {Organization's name} at {} from July 1, 2008 to November 30, 2013.
Tokens prepared for LDA: ['build', 'department', 'inspection', 'record', 'minute', 'organization', 'november']
Original Request: A detailed breakdown of investment for each of the 13 High Priority Neighbourhoods Investment Fund from 2005 to 2013.
Tokens prepared for LDA: ['breakdown', 'investment', 'priority', 'neighbourhood', 'investment']
Original Request: Any and all records that the Parks, Forestry and Recreation Division of the City of Toronto may have in relation to {} from January 1, 2010 to present.
Tokens prepared for LDA: ['record', 'parks', 'forestry', 'recreation', 'division', 'toronto', 'relation', 'january', 'present']
Original Request: A copy of IBMS report for {} relating to the fire that occurred on Jan. 8, 2013. Records search should be from Jan. 8, 2013 to present.
Tokens prepared for LDA: ['report', 'relate', 'occur', 'january', 'record', 'search', 'january', 'present']
Original Request: Letter issued from Legal on behalf of Toronto Water to homeowners of {addresses removed.}, advising and directing homeowners to maintain their easement as per "easement agreement" between COT and owners.
Tokens prepared for LDA: ['letter', 'issue', 'legal', 'behalf', 'toronto', 'water', 'homeowner', 'address', 'remove', 'advise', 'direct', 'homeowner', 'maintain', 'easement', 'easement', 'agreement', 'owner']
Original Request: A copy of inspection report from Toronto Water for {} relating to leaking issue outside in the parking lot. Reference number is 2478769. Inspection was done on Jan. 12, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'toronto', 'water', 'relate', 'issue', 'outside', 'reference', '2478769', 'inspection', 'january']
Original Request: Any records pertaining to structural underpinning for {} including work permits, comments and notes from the inspector from 2010 to present.
Tokens prepared for LDA: ['record', 'pertain', 'structural', 'underpin', 'include', 'permit', 'comment', 'inspector', 'present']
Original Request: A list of all businesses which had their addresses registered at {} from January 1, 1985 to December 31, 2013.
Tokens prepared for LDA: ['business', 'address', 'register', 'january', 'december']
Original Request: Copies of all documents, including: drawings, permits, inspection reports, compliance letters etc. pertaining to any work, renovations or repairs done at {} from 1978 to present.
Tokens prepared for LDA: ['copy', 'document', 'include', 'drawing', 'permit', 'inspection', 'report', 'compliance', 'letter', 'pertain', 'renovation', 'repair', 'present']
Original Request: All records held by 311 Toronto, Toronto Public Health and ML&S for {} from August 1, 2012 to Present.
Tokens prepared for LDA: ['record', 'toronto', 'toronto', 'public', 'health', 'august', 'present']
Original Request: All records held by 311 Toronto, Toronto Public Health and ML&S for {} from August 1, 2012 to Present.
Tokens prepared for LDA: ['record', 'toronto', 'toronto', 'public', 'health', 'august', 'present']
Original Request: All records held by 311 Toronto, Toronto Public Health and ML&S for {} from August 1, 2012 to Present.
Tokens prepared for LDA: ['record', 'toronto', 'toronto', 'public', 'health', 'august', 'present']
Original Request: All records held by 311 Toronto, Toronto Public Health and ML&S for {} from August 1, 2012 to Present.
Tokens prepared for LDA: ['record', 'toronto', 'toronto', 'public', 'health', 'august', 'present']
Original Request: All records held by 311 Toronto, Toronto Public Health and ML&S for {} from August 1, 2012 to Present.
Tokens prepared for LDA: ['record', 'toronto', 'toronto', 'public', 'health', 'august', 'present']
Original Request: All inspection notes and records for {} from January 1, 2008 to present; REF# RD-14-101498.
Tokens prepared for LDA: ['inspection', 'record', 'january', 'present', 'rd-14', '101498']
Original Request: A list of calls, showing the dates of calls, made to 311 relating to the water sewer back up problem at {} from 2011 to 2013.
Tokens prepared for LDA: ['relate', 'water', 'sewer', 'problem']
Original Request: An electronic copy of the city's database containing all non-regulated lead testing results on residential properties through the use of lead testing kits between January 1, 2008 and present, identified by the first five digits of postal code.
Tokens prepared for LDA: ['electronic', 'database', 'contain', 'regulate', 'result', 'residential', 'property', 'january', 'present', 'identify', 'digit', 'postal']
Original Request: Any and all records that the Parks, Forestry and Recreation Division of the City of Toronto may have in relation to {} from January 1, 2010 to present.
Tokens prepared for LDA: ['record', 'parks', 'forestry', 'recreation', 'division', 'toronto', 'relation', 'january', 'present']
Original Request: All construction inspections reports for {} from 2012 to present.
Tokens prepared for LDA: ['construction', 'inspection', 'report', 'present']
Original Request: A list of the names of Taxi Drivers on the "Waiting List" to buy Taxi Licenses in 1998, known as the "1998 Waiting List".
Tokens prepared for LDA: ['driver', 'waiting', 'license', 'waiting']
Original Request: Any records indicating independent third party contracting companies or other; responsible for road and or sidewalk maintenance by Scarborough Civic Centre north of the Brian Harrison Way on or about February 12, 2013.
Tokens prepared for LDA: ['record', 'indicate', 'independent', 'party', 'contract', 'company', 'responsible', 'sidewalk', 'maintenance', 'scarborough', 'civic', 'centre', 'north', 'brian', 'harrison', 'february']
Original Request: All documents relating to any business licenses issued to {organization's name} for 2013 including all application forms.
Tokens prepared for LDA: ['document', 'relate', 'business', 'license', 'issue', 'organization', 'include', 'application']
Original Request: A copy of any business license application for {} from Jan. 2013 to Dec. 2013. The business is for sale of fireworks.
Tokens prepared for LDA: ['business', 'license', 'application', 'january', 'december', 'business', 'firework']
Original Request: Confirmation of request placed with 311 pertaining to the cutting down of tree branches blocking a parking sign at the intersection of Gladstone Ave north of Dundas Street West on or about Aug. 2013 to Oct. 2013.
Tokens prepared for LDA: ['confirmation', 'request', 'place', 'pertain', 'branch', 'block', 'intersection', 'gladstone', 'north', 'dundas', 'street', 'august', 'october']
Original Request: A copy of back water valve inspection notes or reports pertaining to {}, Permit # 13 223216 000 00 DR - Aug. 20, 2005; Order # 13 231472 WNP 00 VI Sept. 11, 2013; BR# {13 230880}, Sept. 5, 2013
Tokens prepared for LDA: ['water', 'valve', 'inspection', 'report', 'pertain', 'permit', '223216', 'august', 'order', '231472', 'september', '230880', 'september']
Original Request: All Building, Fire and ML&S inspection notes, orders and records regarding {} from Jan. 11, 2004 to Oct. 11, 2013.
Tokens prepared for LDA: ['building', 'inspection', 'order', 'record', 'regard', 'january', 'october']
Original Request: All Building, Fire and ML&S inspection notes, orders and records regarding {} from Jan. 11, 2004 to Oct. 11, 2013.
Tokens prepared for LDA: ['building', 'inspection', 'order', 'record', 'regard', 'january', 'october']
Original Request: A copy of building permits issued for construction in 1955 to {} formerly known as {}.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'construction']
Original Request: A copy of public health inspection report for {} pertaining to paint applied to outside portion of house. Inspection was done in Jan. 2014. Clarified in early March 2014 that actually wanted TPH Mould inspection records for this location
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'pertain', 'paint', 'apply', 'outside', 'portion', 'house', 'inspection', 'january', 'clarify', 'early', 'march', 'actually', 'mould', 'inspection', 'record', 'location']
Original Request: A copy of public health inspection report for {} pertaining to paint applied to outside portion of house. Inspection was done in Jan. 2014. Clarified in early March 2014 that actually wanted TPH Mould inspection records for this location
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'pertain', 'paint', 'apply', 'outside', 'portion', 'house', 'inspection', 'january', 'clarify', 'early', 'march', 'actually', 'mould', 'inspection', 'record', 'location']
Original Request: A copy of investigative report for {} pertaining to sewer pipe discovered during excavation from Dec. 15, 2012 to Jan. 31, 2014.
Tokens prepared for LDA: ['investigative', 'report', 'pertain', 'sewer', 'discover', 'excavation', 'december', 'january']
Original Request: Any and all documentation related to private Ontario Municipal Board of Appeals for By-Law # 1714-2013 as approved by City Council on December 17, 2013; see also OPA # 231; pg 28.2.
Tokens prepared for LDA: ['documentation', 'relate', 'private', 'ontario', 'municipal', 'board', 'appeal', 'approve', 'council', 'december']
Original Request: Any information or reports regarding damage due to flooding, asbestos, fire safety and the general livability of {}, including any unpaid property taxes from Dec. 31, 1913 to Dec. 31, 2013.
Tokens prepared for LDA: ['information', 'report', 'regard', 'damage', 'flood', 'asbestos', 'safety', 'general', 'livability', 'include', 'unpaid', 'property', 'taxis', 'december', 'december']
Original Request: A copy of building inspection report for {} from May 1, 2013 to Jan 23, 2014.
Tokens prepared for LDA: ['build', 'inspection', 'report']
Original Request: All evaluations and record of work completed on the Norway Maple tree, on city Property in front of {} from Aug. 2010 to Jan. 2014.
Tokens prepared for LDA: ['evaluation', 'record', 'complete', 'norway', 'maple', 'property', 'august', 'january']
Original Request: Copies of invoices for property tax, BIA and water bills issued to {} from July 2006 to March 2013.
Tokens prepared for LDA: ['copy', 'invoice', 'property', 'water', 'issue', 'march']
Original Request: Correspondence, emails on waste incineration or waste to energy from Solid Waste Management, Mayor Ford and Councillor Ford, including records referencing Covanta Energy.
Tokens prepared for LDA: ['correspondence', 'email', 'waste', 'incineration', 'waste', 'energy', 'solid', 'waste', 'management', 'mayor', 'councillor', 'include', 'record', 'reference', 'covanta', 'energy']
Original Request: Copy of all communications and documents from Public Health, Toronto Water and ML&S re: {}. Also e-mail from Michael Moosaie to {individual's name} on Sept. 18, 2013 at3.12 pm on subject of Flood Report" with 5 pages attachments.
Tokens prepared for LDA: ['communication', 'document', 'public', 'health', 'toronto', 'water', 'michael', 'moosaie', 'individual', 'september', 'at3.12', 'subject', 'flood', 'report', 'attachment']
Original Request: All documents from Sept. 2013 to present from Urban Forestry regarding Norway Maple on {}, including communication from {name and {}.}.
Tokens prepared for LDA: ['document', 'september', 'present', 'urban', 'forestry', 'regard', 'norway', 'maple', 'include', 'communication']
Original Request: All general information records from June 1, 2011 to Oct. 18, 2013, limited to e-mails of Councillor Augimeri, Cathie Ferguson and Ray Kallio re: Section 37 Agreement of $200,000 from {} development; OMB file # PLO71106.
Tokens prepared for LDA: ['general', 'information', 'record', 'october', 'limit', 'councillor', 'augimeri', 'cathie', 'ferguson', 'kallio', 'section', 'agreement', '200,000', 'development', 'plo71106']
Original Request: All general information records from June 1, 2011 to Oct. 18, 2013, limited to e-mails of Councillor Augimeri, Cathie Ferguson and Ray Kallio re: Section 37 Agreement of $200,000 from {} development; OMB file # PLO71106.
Tokens prepared for LDA: ['general', 'information', 'record', 'october', 'limit', 'councillor', 'augimeri', 'cathie', 'ferguson', 'kallio', 'section', 'agreement', '200,000', 'development', 'plo71106']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {Organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: A copy of records showing three separate requests made for organic garbage pickup at {{}t} from March 2013 to January 2014.
Tokens prepared for LDA: ['record', 'separate', 'request', 'organic', 'garbage', 'pickup', 'march', 'january']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization's name and {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: All building permit applications for {} from Jan. 1, 1979 to present.
Tokens prepared for LDA: ['build', 'permit', 'application', 'january', 'present']
Original Request: All text archived information in reference of add on permit No. 93-014159.
Tokens prepared for LDA: ['archive', 'information', 'reference', 'permit', '014159']
Original Request: A copy of inspection records and reports related to {} from August 2013 to present.
Tokens prepared for LDA: ['inspection', 'record', 'report', 'relate', 'august', 'present']
Original Request: A copy of camera footage of accident at Hwy 401 and Port Union Rd. on November 10, 2011 between 7:00 am and 7:30am involving a black 2001 Nissan Maxima.
Tokens prepared for LDA: ['camera', 'footage', 'accident', 'union', 'november', '7:30am', 'involve', 'black', 'nissan', 'maximum']
Original Request: A copy of camera footage of accident at Danforth Ave and Warden Ave on May 9, 2008 between 4:20 pm and 4:30 pm involving a black 2001 Nissan Maxima.
Tokens prepared for LDA: ['camera', 'footage', 'accident', 'danforth', 'warden', 'involve', 'black', 'nissan', 'maximum']
Original Request: A copy of building inspection notes, Property Standards inspection notes, orders and records regarding {} from Jan. 1, 2009 to Jan. 31, 2014
Tokens prepared for LDA: ['build', 'inspection', 'property', 'standard', 'inspection', 'order', 'record', 'regard', 'january', 'january']
Original Request: All records pertaining to activity complaint N0.A13-032267 form October 2013 to present.
Tokens prepared for LDA: ['record', 'pertain', 'activity', 'complaint', 'n0.a13', '032267', 'october', 'present']
Original Request: Any and all calls made by {individual's name} to ML&S or Toronto Water on November 25, 2013 pertaining to accusations by Landlord that complaints were made to the city regarding non provision of notice for water shut off.
Tokens prepared for LDA: ['individual', 'toronto', 'water', 'november', 'pertain', 'accusation', 'landlord', 'complaint', 'regard', 'provision', 'notice', 'water']
Original Request: A copy of records showing the amount of apartments in building located at {}.
Tokens prepared for LDA: ['record', 'apartment', 'build', 'locate']
Original Request: A copy of 311 report #H758037 relating to watermain burst in front of {} from Jan. 24, 2014 to present.
Tokens prepared for LDA: ['report', 'h758037', 'relate', 'watermain', 'burst', 'january', 'present']
Original Request: A copy of transcript for muzzle order hearing on Dec. 20 2012 at 5100 Yonge St. regarding dog license No.D12-178700.
Tokens prepared for LDA: ['transcript', 'muzzle', 'order', 'december', 'yonge', 'regard', 'license', '178700']
Original Request: A copy of Red Light Camera video footage taken at the intersection of Bayview Ave and Cummer Ave on October 22, 2013 of motor vehicle accident which occurred at approx. 4:30 pm.
Tokens prepared for LDA: ['light', 'camera', 'video', 'footage', 'intersection', 'bayview', 'cummer', 'october', 'motor', 'vehicle', 'accident', 'occur', 'approx']
Original Request: A copy of building permits issued for {} from 1985 to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'present']
Original Request: Any and all City of Toronto and Toronto Water policies and/or practices related to sewer inspection, maintenance, repair and replacement in the City of Toronto.
Tokens prepared for LDA: ['toronto', 'toronto', 'water', 'policy', 'and/or', 'practice', 'relate', 'sewer', 'inspection', 'maintenance', 'repair', 'replacement', 'toronto']
Original Request: A copy of building permit records issued to {} including records for solar panel installation.
Tokens prepared for LDA: ['build', 'permit', 'record', 'issue', 'include', 'record', 'solar', 'panel', 'installation']
Original Request: Complaints made regarding {} from Transportation Services, Fire Services, ML&S, Zoning from Jan. 1 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['complaint', 'regard', 'transportation', 'services', 'services', 'zoning', 'january', 'december']
Original Request: A copy of all notes and paperwork pertaining to {} from ML&S and Public Health from Sept. 1, 2012 to Feb. 3, 2014. Complaints filed against {individual's name} of {organization's name}.
Tokens prepared for LDA: ['paperwork', 'pertain', 'public', 'health', 'september', 'february', 'complaint', 'individual', 'organization', 'name}.']
Original Request: A copy of business licenses issued to {} from 1900 to present.
Tokens prepared for LDA: ['business', 'license', 'issue', 'present']
Original Request: A copy of business licenses issued to {} from 1900 to present.
Tokens prepared for LDA: ['business', 'license', 'issue', 'present']
Original Request: A copy of business licenses issued to {} from 1900 to present.
Tokens prepared for LDA: ['business', 'license', 'issue', 'present']
Original Request: A copy of inspection reports from Hina Ahmed of Public Health and Mike Patterson of ML&S for {{}r}. The complaint was filed by {individual's name} about black mould and heat issues, from Jan. 17, 2014 to Jan. 29, 2014.
Tokens prepared for LDA: ['inspection', 'report', 'ahmed', 'public', 'health', 'patterson', 'complaint', 'individual', 'black', 'mould', 'issue', 'january', 'january']
Original Request: Correspondence between Toronto's Solid Waste Management Services and CSIS and the RCMP, in particular projects the two parties (or three) may have co-operated on from Jan. 1, 2000 to Jan. 1, 2005.
Tokens prepared for LDA: ['correspondence', 'toronto', 'solid', 'waste', 'management', 'services', 'particular', 'project', 'party', 'operate', 'january', 'january']
Original Request: A copy of red light camera footage for motor vehicle accident which occurred on Jan. 27, 2014 at 1:30 PM at Markham Rd off ramp Hwy 401.
Tokens prepared for LDA: ['light', 'camera', 'footage', 'motor', 'vehicle', 'accident', 'occur', 'january', 'markham']
Original Request: All correspondence and notes between {organization's name}, their agents & City Hall incl.; CP-Heritage; their records between other depts. regarding the installation of an electrical tansformer at {organization's name} from Dec. 6, 2006 to prresent.
Tokens prepared for LDA: ['correspondence', 'organization', 'agent', 'heritage', 'record', 'regard', 'installation', 'electrical', 'tansformer', 'organization', 'december', 'prresent']
Original Request: A copy of all correspondence including but not limited to; memos, e-mails, court and compliance orders pertaining to order No.12 211777 PRS 00 IV issued July 16, 2012 for Robert St.}. The address is {{}.}.
Tokens prepared for LDA: ['correspondence', 'include', 'limit', 'court', 'compliance', 'order', 'pertain', 'order', 'no.12', '211777', 'issue', 'robert', 'st.}.', 'address']
Original Request: Records of all City projects undertaken by Engineering & Construction Services from Jan. 1 2013 to Dec. 31, 2013, including: address, scope, purpose of work, projected cost and completion dates, final cost and completion date.
Tokens prepared for LDA: ['record', 'project', 'undertake', 'engineering', 'construction', 'services', 'january', 'december', 'include', 'address', 'scope', 'purpose', 'project', 'completion', 'final', 'completion']
Original Request: A copy of building reports for {} form Jan. 1, 2010 to Dec. 31, 2013.
Tokens prepared for LDA: ['build', 'report', 'january', 'december']
Original Request: A copy of an application for permit issued to { individual's name}or his wife at {} pertaining to the widening, extension of parking area and repaving of driveway immediately adjacent to {125 Livingstone Ave}.
Tokens prepared for LDA: ['application', 'permit', 'issue', 'individual', 'name}or', 'pertain', 'widen', 'extension', 'repaving', 'driveway', 'immediately', 'adjacent', 'livingstone', 'ave}.']
Original Request: A copy of tree report for {} from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['report', 'january', 'present']
Original Request: Any video or still image taken by "RESCU traffic cameras"; 19 east and 18 west, regarding a construction zone which may have contributed to a car accident that occurred between Lakeshore Blvd. W. and Newfoundland Rd on Jan. 30, 2014 between 7-10 AM.
Tokens prepared for LDA: ['video', 'image', 'rescu', 'traffic', 'camera', 'regard', 'construction', 'contribute', 'accident', 'occur', 'lakeshore', 'newfoundland', 'january']
Original Request: Any orders, complaints or warnings issued to {organization's name} at {} between Feb. 1, 2011 to Feb. 1, 2014.
Tokens prepared for LDA: ['order', 'complaint', 'warning', 'issue', 'organization', 'february', 'february']
Original Request: An updated list of designated taxi agents and the number of taxi cabs they manage; pertaining to the issuing of taxi licensing.
Tokens prepared for LDA: ['update', 'designate', 'agent', 'manage', 'pertain', 'issue', 'license']
Original Request: Copies of work orders from Toronto Building and Fire Services following a fire which occurred on Dec. 20, 2013 at {}
Tokens prepared for LDA: ['copy', 'order', 'toronto', 'building', 'services', 'follow', 'occur', 'december']
Original Request: All historical building permits issued for {} particularly for rear addition, from as early as possible to Mar. 4, 2013.
Tokens prepared for LDA: ['historical', 'build', 'permit', 'issue', 'particularly', 'addition', 'early', 'possible', 'march']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: Copies of Food Safety Inspection Reports and all complaints regarding food for {organization & {}} from September 1, 2012 to October 20, 2013.
Tokens prepared for LDA: ['copy', 'safety', 'inspection', 'report', 'complaint', 'regard', 'organization', 'september', 'october']
Original Request: A copy of zoning examiners letter for zoning certificate application No. 13-190949 regarding construction at {}.
Tokens prepared for LDA: ['examiner', 'letter', 'certificate', 'application', '190949', 'regard', 'construction']
Original Request: Any records pertaining to the sewers in and around {} from Jan. 2008 to Jan. 2013.
Tokens prepared for LDA: ['record', 'pertain', 'sewer', 'january', 'january']
Original Request: All building inspection reports and notes for {} from 1900 to 1980.
Tokens prepared for LDA: ['build', 'inspection', 'report']
Original Request: Any record or information pertaining to front yard parking or parking pad licenses and curb cut construction for {} from 1986 to present.
Tokens prepared for LDA: ['record', 'information', 'pertain', 'license', 'construction', 'present']
Original Request: All communications including correspondence and e-mails between Stephen Buckley, Andre Filippetti, John Zapotoczny, Jacqueline White, Elio Capizzano, Laurie Robertson from Transportation Services and John Livey (DCM), Joe Casali (Real Estate Services).
Tokens prepared for LDA: ['communication', 'include', 'correspondence', 'stephen', 'buckley', 'andre', 'filippetti', 'zapotoczny', 'jacqueline', 'white', 'capizzano', 'laurie', 'robertson', 'transportation', 'services', 'livey', 'casali', 'estate', 'services']
Original Request: A copy of ML&S inspection reports for {} under ref. # 2420938, 2420950, & 2401827, 101001889815, 101001958162, 101002401827. The inspections were completed by Pat Hale.
Tokens prepared for LDA: ['inspection', 'report', '2420938', '2420950', '2401827', '101001889815', '101001958162', '101002401827', 'inspection', 'complete']
Original Request: A copy of camera footage from camera 12 of the Gardiner Expressway looking east and west on January 31, 2014 from 9:30 to 10:30 AM.
Tokens prepared for LDA: ['camera', 'footage', 'camera', 'gardiner', 'expressway', 'january', '10:30']
Original Request: All building permits and renovations requests issued for {} from Jan. 1, 2011 to Feb. 10, 2014.
Tokens prepared for LDA: ['build', 'permit', 'renovation', 'request', 'issue', 'january', 'february']
Original Request: All information held by the City of Toronto, Park Forestry and Recreation regarding {individual's name} pertaining to eviction from Glen Rouge Campground; from 2009 to present.
Tokens prepared for LDA: ['information', 'toronto', 'forestry', 'recreation', 'regard', 'individual', 'pertain', 'eviction', 'rouge', 'campground', 'present']
Original Request: Copies of all correspondence from and to Councillor, Norm Kelly from Dec. 19, 2013 to Jan. 31, 2014; pertaining to the power outages and ice storm.
Tokens prepared for LDA: ['copy', 'correspondence', 'councillor', 'kelly', 'december', 'january', 'pertain', 'power', 'outage', 'storm']
Original Request: All records generated and received by the Office of Emerg. Mgmt. from Dec. 19, 2013 to present pertaining to the ice storm and power outages.. Incl. briefing notes, e-mails, situation reports and other correspondence. Excl.news releases and media articles
Tokens prepared for LDA: ['record', 'generate', 'receive', 'office', 'emerg', 'december', 'present', 'pertain', 'storm', 'power', 'outage', 'brief', 'situation', 'report', 'correspondence', 'excl.news', 'release', 'medium', 'article']
Original Request: A copy of record showing the name of owner for {organization's name} at {} owned by {organization} from Jan. 1983 to Dec. 1984.
Tokens prepared for LDA: ['record', 'owner', 'organization', 'organization', 'january', 'december']
Original Request: All building and committee of adjustment records for {addresses removed} from 1975 to 2014.
Tokens prepared for LDA: ['build', 'committee', 'adjustment', 'record', 'address', 'remove']
Original Request: A complete copy of signed permit folders ref. #86-018208, 86-016837 & 74-018161 for {}
Tokens prepared for LDA: ['complete', 'permit', 'folder', '018208', '016837', '018161']
Original Request: All documentation and notes from Oct. 4, 2013 to present between {individual's name} and the family of {individual's name} in Unit 510 of {}, excluding letter of Oct. 4, 2013 from {individual name} or letter of Jan. 9, 2013 from {individual's name}.
Tokens prepared for LDA: ['documentation', 'october', 'present', 'individual', 'family', 'individual', 'exclude', 'letter', 'october', 'individual', 'letter', 'january', 'individual', 'name}.']
Original Request: A complete copy of Toronto Taxicab License # {number} for {individual's name} from May 30, 1971. Including license renewal record year by year, list of any and all taxi by-law tickets issued and all registered convictions.
Tokens prepared for LDA: ['complete', 'toronto', 'taxicab', 'license', 'individual', 'include', 'license', 'renewal', 'record', 'ticket', 'issue', 'register', 'conviction']
Original Request: A copy of incident report involving {individual's name} on July 5, 2012 at the {organization's name and {}}.
Tokens prepared for LDA: ['incident', 'report', 'involve', 'individual', 'organization']
Original Request: Copies of all permits, inspection notes, and violations issued to {} from 1925 to present.
Tokens prepared for LDA: ['copy', 'permit', 'inspection', 'violation', 'issue', 'present']
Original Request: Copies of all inspection notes from Toronto Building and ML&S (Bylaw Enforcement) pertaining to a garage located at {} from 2009 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'toronto', 'building', 'bylaw', 'enforcement', 'pertain', 'garage', 'locate', 'present']
Original Request: All records showing water main supply work orders for the installment of a shut off valve with electrical sensor in the bsmt. of {} between the summer or fall of 2007 - 2009 This is in relation to a resulting leak and subsequent shut off.
Tokens prepared for LDA: ['record', 'water', 'supply', 'order', 'installment', 'valve', 'electrical', 'sensor', 'summer', 'relation', 'result', 'subsequent']
Original Request: Copies of Engineers Report provided by {individual} at {} pursuant to COT Bld. Code Order, dated Nov. 15, 2013; notes by City Site Inspector, S. Paterson relating to by-law investigation at {} and {addresses removed.}
Tokens prepared for LDA: ['copy', 'engineer', 'report', 'provide', 'individual', 'pursuant', 'order', 'november', 'inspector', 'paterson', 'relate', 'investigation', 'address', 'remove']
Original Request: A complete copy of PFR inspection report and notes pertaining to PFR visit on Aug. 8, 2013 to property located at {}; regarding the illegal pruning of a City tree. 311 reference # 2173535.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'pertain', 'visit', 'august', 'property', 'locate', 'regard', 'illegal', 'prune', 'reference', '2173535']
Original Request: A copy of ambulance call report for the accident that occurred on August. 28. 2012 at N/B North Woodrow Blvd. and St. Clair Ave., Toronto involving {two individuals}.
Tokens prepared for LDA: ['ambulance', 'report', 'accident', 'occur', 'august', 'north', 'woodrow', 'clair', 'toronto', 'involve', 'individuals}.']
Original Request: Records from Fire Prevention, in particular, but not inclusive regarding the ceilings at {} not meeting the fire code, from Jan. 1, 2013 to Feb.14, 2014.
Tokens prepared for LDA: ['record', 'prevention', 'particular', 'inclusive', 'regard', 'ceiling', 'january', 'feb.14']
Original Request: A copy of inspector's report for {}. The call was made on Nov. 18, 2013 to inspect the unit about the misuse of the balcony. The search should be from Nov. 18 to Nov. 30, 2013.
Tokens prepared for LDA: ['inspector', 'report', 'november', 'inspect', 'misuse', 'balcony', 'search', 'november', 'november']
Original Request: All background information, reports of site inspections from ML&S, e-mails, correspondence between all parties involved between {} from Jan. 1, 2013 and Feb. 12, 2014 relating to fence complaints.
Tokens prepared for LDA: ['background', 'information', 'report', 'inspection', 'correspondence', 'party', 'involve', 'january', 'february', 'relate', 'fence', 'complaint']
Original Request: A copy of RESCU camera footage for the intersection at University Ave. and Adelaide St.West on Feb. 2, 2014 at approx. 9.45 pm.
Tokens prepared for LDA: ['rescu', 'camera', 'footage', 'intersection', 'university', 'adelaide', 'february', 'approx']
Original Request: Mayor Ford's internal itineraries from July 1, 2013 to the present. If the Mayor's Office still breaks down his itineraries between "confirmed" events and other events, please provide details.
Tokens prepared for LDA: ['mayor', 'internal', 'itinerary', 'present', 'mayor', 'office', 'break', 'itinerary', 'confirm', 'event', 'event', 'provide']
Original Request: Any security incident reports from Dec. 1, 2012 to present that involve Mayor Ford himself and/or his own actions. These can be formal reports or informal reports (like the e-mail written by a security guard about the St. Patrick's Day incident).
Tokens prepared for LDA: ['security', 'incident', 'report', 'december', 'present', 'involve', 'mayor', 'and/or', 'action', 'formal', 'report', 'informal', 'report', 'write', 'security', 'guard', 'patrick', 'incident']
Original Request: Any security incident reports from Dec. 1, 2012 to present that involve Mayor Ford himself and/or his own actions. These can be formal reports or informal reports (like the e-mail written by a security guard about the St. Patrick's Day incident).
Tokens prepared for LDA: ['security', 'incident', 'report', 'december', 'present', 'involve', 'mayor', 'and/or', 'action', 'formal', 'report', 'informal', 'report', 'write', 'security', 'guard', 'patrick', 'incident']
Original Request: All formal Briefing Notes from the city bureaucracy to the Mayor or the Mayor's staff from Dec. 1, 2010 to present.
Tokens prepared for LDA: ['formal', 'briefing', 'note', 'bureaucracy', 'mayor', 'mayor', 'staff', 'december', 'present']
Original Request: A copy of permit, documents and inspection notes, including proof of closure for {} for the construction of an addition sometime around 1960.
Tokens prepared for LDA: ['permit', 'document', 'inspection', 'include', 'proof', 'closure', 'construction', 'addition']
Original Request: All correspondence, meeting agendas, notes, minutes and briefing notes for internal and external meetings on file # 13-221087-NNY-15-OZ, regarding redevelopment of the site at {} from Jan. 1, 2013 to Feb. 18, 2014
Tokens prepared for LDA: ['correspondence', 'agenda', 'minute', 'brief', 'internal', 'external', 'meeting', '221087-nny-15-oz', 'regard', 'redevelopment', 'january', 'february']
Original Request: Copies of all building permits and documents as far back as possible, for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'possible']
Original Request: A copy of fire inspection report for {} from Jan. to Feb. 2014.
Tokens prepared for LDA: ['inspection', 'report', 'january', 'february']
Original Request: Copies of all building permits, inspection notes and contacts, as far back as possible for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'contact', 'possible']
Original Request: A list of all scrolls requested by the offices of Mayors David Miller and Rob Ford, including the names of recipients, reasons for the honour and dates; from Dec.1, 2006 to Feb. 19, 2014.
Tokens prepared for LDA: ['scroll', 'request', 'office', 'mayor', 'david', 'miller', 'include', 'recipient', 'reason', 'honour', 'dec.1', 'february']
Original Request: Actual costs for the completion of the individual 20 playgrounds listed below (follow up request of # AG 2013-02755). If outside donations were applied to a playground project, please give the breakdown of city costs versus outside amounts as well.
Tokens prepared for LDA: ['actual', 'completion', 'individual', 'playground', 'follow', 'request', '02755', 'outside', 'donation', 'apply', 'playground', 'project', 'breakdown', 'versus', 'outside']
Original Request: A complete list of all investigation activities, apartment standards and by-law infractions for {} from Jan. 1, 1997 to Feb. 28, 2014.
Tokens prepared for LDA: ['complete', 'investigation', 'activity', 'apartment', 'standard', 'infraction', 'january', 'february']
Original Request: Copies of all building inspection notes for {} from April to October 2011.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'april', 'october']
Original Request: A copy of report for fire inspection performed on Feb. 13, 2014 at {} by Fire Inspector, Rob Crawford and Fire Captain, James Leung.
Tokens prepared for LDA: ['report', 'inspection', 'perform', 'february', 'inspector', 'crawford', 'captain', 'james', 'leung']
Original Request: All building permit records, including but not limited to permits, notes, correspondence etc. for {}, pertaining to the inclusion of land in the remainder of the block bounded by Queen St. W , Yonge St. Richmond St. W. and Bay Street.
Tokens prepared for LDA: ['build', 'permit', 'record', 'include', 'limit', 'permit', 'correspondence', 'pertain', 'inclusion', 'remainder', 'block', 'bound', 'queen', 'yonge', 'richmond', 'street']
Original Request: All building permit records, including but not limited to permits, notes, correspondence etc. for {}, pertaining to the inclusion of land in the remainder of the block bounded by Queen St. W , Yonge St. Richmond St. W. and Bay Street.
Tokens prepared for LDA: ['build', 'permit', 'record', 'include', 'limit', 'permit', 'correspondence', 'pertain', 'inclusion', 'remainder', 'block', 'bound', 'queen', 'yonge', 'richmond', 'street']
Original Request: Any and all information for {} pertaining to any possible Public Health inspection and any complaints filed against the unit, between Sept. to Oct. 2013.
Tokens prepared for LDA: ['information', 'pertain', 'possible', 'public', 'health', 'inspection', 'complaint', 'september', 'october']
Original Request: All correspondence, including but not limited to, e-mails, memorandums, meeting minutes, letters and phone call notes between Mr. Joe Pennachetti and his office, and Mayor Rob Ford and/or Councillor Doug Ford and/or their staff re: {organization's name}.
Tokens prepared for LDA: ['correspondence', 'include', 'limit', 'memorandum', 'minute', 'letter', 'phone', 'pennachetti', 'office', 'mayor', 'and/or', 'councillor', 'and/or', 'staff', 'organization', 'name}.']
Original Request: Any and all building records for {} from Jan. 1, 1930 to present.
Tokens prepared for LDA: ['build', 'record', 'january', 'present']
Original Request: All orders issued for repairs to be completed inside and outside {}, including orders for non-compliance from Jan. 1, 2012 to Feb. 28, 2014.
Tokens prepared for LDA: ['order', 'issue', 'repair', 'complete', 'inside', 'outside', 'include', 'order', 'compliance', 'january', 'february']
Original Request: A complete history from 1964 to present of legal and by-law violations for {} specifically pertaining to grow-op issues. Tax roll # 190800131 2009 1000 000.
Tokens prepared for LDA: ['complete', 'history', 'present', 'legal', 'violation', 'specifically', 'pertain', 'issue', '190800131']
Original Request: A copy of reports submitted from 2009 to 2011 by transportation officer and or manager assigned to McIntosh Ave, pertaining to damages in the form of cracks and holes in areas of sidewalk.
Tokens prepared for LDA: ['report', 'submit', 'transportation', 'officer', 'manager', 'assign', 'mcintosh', 'pertain', 'damage', 'crack', 'sidewalk']
Original Request: The total number of written individual accommodation plans, currently in place for disabled city staff (full-time and part time) by division.
Tokens prepared for LDA: ['total', 'write', 'individual', 'accommodation', 'currently', 'place', 'disable', 'staff', 'division']
Original Request: Data relating to municipal licensing of adult entertainment clubs, body parlours and holistic centres for the last 20 years.
Tokens prepared for LDA: ['relate', 'municipal', 'license', 'adult', 'entertainment', 'parlour', 'holistic', 'centre']
Original Request: Any and all records in the building and planning files for {} including all communications (e-mails, correspondence, notes, reports, meetings etc); from Apr. 1, 2012 to present.
Tokens prepared for LDA: ['record', 'build', 'include', 'communication', 'correspondence', 'report', 'meeting', 'april', 'present']
Original Request: Copies of open and closed building permits within the last 5 years; Jan. 1, 2009 to Jan. 22, 2014 for {}.
Tokens prepared for LDA: ['copy', 'close', 'build', 'permit', 'january', 'january']
Original Request: Copies of reports for the following: Property Standards Complaint report, Ref. # 2473866; Toronto Water, Ref. # 2530726; and ML&S, Ref. # 2473866, for {} from Jan. 9, 2014 to Feb. 15, 2014.
Tokens prepared for LDA: ['copy', 'report', 'follow', 'property', 'standard', 'complaint', 'report', '2473866', 'toronto', 'water', '2530726', '2473866', 'january', 'february']
Original Request: A copy of muzzle order # A 14001588 including any other related information, from Feb. 4, 2014 to Feb. 24, 2014.
Tokens prepared for LDA: ['muzzle', 'order', '14001588', 'include', 'relate', 'information', 'february', 'february']
Original Request: Committee of adjustment application, including drawings and decision for {} from 1999 to 2000.
Tokens prepared for LDA: ['committee', 'adjustment', 'application', 'include', 'drawing', 'decision']
Original Request: Copies of building inspection, notes and reports; fire safety inspection and follow-up reports; and standards of maintenance for {} from 2000 to present.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'safety', 'inspection', 'follow', 'report', 'standard', 'maintenance', 'present']
Original Request: Copies of building permits, inspection notes and reports for {} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'inspection', 'report', 'possible', 'present']
Original Request: A list of all currently scheduled court dates, for parking violations pursuant to the provincial offences act, where {individual's name} who may also be referred to as {individual's name} or {individual's name} are specified as the reps of the owner/driver.
Tokens prepared for LDA: ['currently', 'schedule', 'court', 'violation', 'pursuant', 'provincial', 'offence', 'individual', 'refer', 'individual', 'individual', 'specify', 'owner', 'driver']
Original Request: A list of all currently scheduled court dates, for parking violations pursuant to the provincial offences act, where {individual's name} who may also be referred to as {individual's name} or {individual's name} are specified as the reps of the owner/driver.
Tokens prepared for LDA: ['currently', 'schedule', 'court', 'violation', 'pursuant', 'provincial', 'offence', 'individual', 'refer', 'individual', 'individual', 'specify', 'owner', 'driver']
Original Request: A copy of lease agreement between the City of Toronto and {organization's name} pertaining to the 50 years lease of {} from1989 to 2014.
Tokens prepared for LDA: ['lease', 'agreement', 'toronto', 'organization', 'pertain', 'lease', 'from1989']
Original Request: A copy of health report filed by Rebecca Elgar, Public Health Inspector on Feb. 25, 2014 for {}.
Tokens prepared for LDA: ['health', 'report', 'rebecca', 'elgar', 'public', 'health', 'inspector', 'february']
Original Request: A list or report of all currently certified licensed group homes in Etobicoke, from 1973 to 2014.
Tokens prepared for LDA: ['report', 'currently', 'certify', 'license', 'group', 'etobicoke']
Original Request: Any record of requests made to the COT for approval to install private gates in parks and or open space fences, including: gate application made under S.20 of the 'Parks and Open Space Property Line Fencing Policy'; incl. approvals and denials.
Tokens prepared for LDA: ['record', 'request', 'approval', 'install', 'private', 'space', 'fence', 'include', 'application', 'parks', 'space', 'property', 'fencing', 'policy', 'approval', 'denial']
Original Request: Any and all information pertaining to {} including permit and change of use applications from Jan. 2007 to Dec 2013.
Tokens prepared for LDA: ['information', 'pertain', 'include', 'permit', 'change', 'application', 'january']
Original Request: Records from 2004 to 2014 for water main maintenance, scheduled replacement and rehabilitation, inspections, incident records in and around {}. COT policy for maintenance and inspection water mains and their connections.
Tokens prepared for LDA: ['record', 'water', 'maintenance', 'schedule', 'replacement', 'rehabilitation', 'inspection', 'incident', 'record', 'policy', 'maintenance', 'inspection', 'water', 'connection']
Original Request: Copies of open and closed building permits within the last 5 years; Jan. 1, 2009 to Jan. 22, 2014 for {}.
Tokens prepared for LDA: ['copy', 'close', 'build', 'permit', 'january', 'january']
Original Request: A copy of inspection report for {} pertaining to mould investigation conducted in Jan. 2014.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'mould', 'investigation', 'conduct', 'january']
Original Request: Copies of fire inspection records, building records including permits, certificate of occupancy and inspection reports for {} as far back as possible.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'build', 'record', 'include', 'permit', 'certificate', 'occupancy', 'inspection', 'report', 'possible']
Original Request: A copy of ML&S file 04-197115 IR regarding {} from 2004.
Tokens prepared for LDA: ['197115', 'regard']
Original Request: A copy of the building application file related to {} from May 24, 2013 to present.
Tokens prepared for LDA: ['build', 'application', 'relate', 'present']
Original Request: A copy of public health file # CRS IR 102485 pertaining to review of apartment located at {}.
Tokens prepared for LDA: ['public', 'health', '102485', 'pertain', 'review', 'apartment', 'locate']
Original Request: Any and all records pertaining to dog bite incident involving victim {individaul} and a male Lab and Jack Russell mixed dog at {} on Jan. 4, 2014.
Tokens prepared for LDA: ['record', 'pertain', 'incident', 'involve', 'victim', 'individaul', 'russell', 'january']
Original Request: All reports regarding bed bug infestation at {} from Jan. 2014 to present.
Tokens prepared for LDA: ['report', 'regard', 'infestation', 'january', 'present']
Original Request: A copy of traffic camera footage at the intersection of Kipling Ave and Belfield Rd on Feb. 21, 2014, between 11:45 AM to 12:30 PM. , relating to a hit and run collision involving a white truck and silver Dodge Caravan {Licence Plate Removed}.
Tokens prepared for LDA: ['traffic', 'camera', 'footage', 'intersection', 'kipling', 'belfield', 'february', '11:45', '12:30', 'relate', 'collision', 'involve', 'white', 'truck', 'silver', 'dodge', 'caravan', 'licence', 'plate', 'removed}.']
Original Request: Records identifying the individuals who made complaints to TFS and ML&S against {} from Nov, 1, 2013 to Jan. 15, 2014; pertaining to fire safety issues and overcrowding. Investigating officers were K. Smith and R. McIntosh.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complaint', 'january', 'pertain', 'safety', 'issue', 'overcrowd', 'investigating', 'officer', 'smith', 'mcintosh']
Original Request: A copy of investigation report conducted by Doug Stubbings regarding contractor {individual's name} operating without renovator or plumbing license, from May, 20 to June 30, 2013, file # B32630.
Tokens prepared for LDA: ['investigation', 'report', 'conduct', 'stubbings', 'regard', 'contractor', 'individual', 'operate', 'renovator', 'plumb', 'license', 'b32630']
Original Request: A copy of complaint report # 2461247 made on Jan. 6, 2014 relating to neighbour's tree. The fallen branch of this tree posed danger to {} after the 2013 X'mas ice storm.
Tokens prepared for LDA: ['complaint', 'report', '2461247', 'january', 'relate', 'neighbour', 'branch', 'danger', "x'mas", 'storm']
Original Request: All building permit applications, documents, surveys, drawings, other submissions, permits issued, reissued or amended permits; all communications, correspondence and recordings, improvements made relating to {} between 2011 and 2013.
Tokens prepared for LDA: ['build', 'permit', 'application', 'document', 'survey', 'drawing', 'submission', 'permit', 'issue', 'reissue', 'amend', 'permit', 'communication', 'correspondence', 'recording', 'improvement', 'relate']
Original Request: A copy of front yard parking permit previously issued to {} under the previous ownership of {individual's name} in 1999.
Tokens prepared for LDA: ['permit', 'previously', 'issue', 'previous', 'ownership', 'individual']
Original Request: Copies of all documentation relating to recommendations, inspections , diaries, work orders and any other records with respect to {} TD claim# 015446578 pertaining to trees in and around the property, from Jan. 2003 to Jan. 2014.
Tokens prepared for LDA: ['copy', 'documentation', 'relate', 'recommendation', 'inspection', 'diary', 'order', 'record', 'respect', 'claim', '015446578', 'pertain', 'property', 'january', 'january']
Original Request: A copy of commercial building plans for {} for the period when the building was converted into storage units in March 1999.
Tokens prepared for LDA: ['commercial', 'build', 'period', 'build', 'convert', 'storage', 'march']
Original Request: A copy of video surveillance of an accident on the Gardiner east between British Columbia ramp and Jameson ramp around 8:20 PM to 8:45 PM on Feb. 27, 2014.
Tokens prepared for LDA: ['video', 'surveillance', 'accident', 'gardiner', 'british', 'columbia', 'jameson', 'february']
Original Request: Any records, notes, e-mails, letters and all communication between Richard Ubbens, Ann Ulusoy, Mark Lawson, John Fulton, Pat Profiti, David Hains,Rocco LiCalzi, Councillor Doucette, employees and any outside party regarding fraud within {organization name}.
Tokens prepared for LDA: ['record', 'letter', 'communication', 'richard', 'ubbens', 'ulusoy', 'lawson', 'fulton', 'profiti', 'david', 'hains', 'rocco', 'licalzi', 'councillor', 'doucette', 'employee', 'outside', 'party', 'regard', 'fraud', 'organization', 'name}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on October 14, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 4, 2009. Fire Report No.: F09086166.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august', 'report', 'f09086166']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 24, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 15, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of all development and building permits related to {an address}.
Tokens prepared for LDA: ['development', 'build', 'permit', 'relate', 'address}.']
Original Request: A copy of all documentation regarding {an address}, including all correspondence, Committee of Adjustment documents, and all rezoning information.
Tokens prepared for LDA: ['documentation', 'regard', 'address', 'include', 'correspondence', 'committee', 'adjustment', 'document', 'rezoning', 'information']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 2, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of all environmental records from Toronto Public Health - Healthy Environments regarding {an address}.
Tokens prepared for LDA: ['environmental', 'record', 'toronto', 'public', 'health', 'healthy', 'environment', 'regard', 'address}.']
Original Request: A copy of the arborist report for the proposed development at Goldhawk Trail and Alton Towers.
Tokens prepared for LDA: ['arborist', 'report', 'propose', 'development', 'goldhawk', 'trail', 'alton', 'tower']
Original Request: A copy of the maintenance records leading up to the sewer backup around {an address} on April 30, 2011. Including at least 6 to 12 months of maintenance records leading up to the incident.
Tokens prepared for LDA: ['maintenance', 'record', 'sewer', 'backup', 'address', 'april', 'include', 'little', 'month', 'maintenance', 'record', 'incident']
Original Request: A copy of building file for {an address}, more specifically file no. 08 116899 SGN 00SP and all associated records to the sign permit file.
Tokens prepared for LDA: ['build', 'address', 'specifically', '116899', 'associate', 'record', 'permit']
Original Request: A copy of the building permit file no. 99 103021 for {an address}. File No. 99 103021.
Tokens prepared for LDA: ['build', 'permit', '103021', 'address}.', '103021']
Original Request: A copy of all information regarding the recent building project, including the occupancy permit, certificate of occupancy, inspector notes, approved plans and all submissions regarding file no. 10-188721.
Tokens prepared for LDA: ['information', 'regard', 'recent', 'build', 'project', 'include', 'occupancy', 'permit', 'certificate', 'occupancy', 'inspector', 'approve', 'submission', 'regard', '188721']
Original Request: A copy of any properties that are owned or have been owned by either {an individual and/or Filor Ltd.}.
Tokens prepared for LDA: ['property', 'individual', 'and/or', 'filor', 'ltd.}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 29, 2012. Fire Report No. F12034110.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march', 'report', 'f12034110']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 18, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred in July or August of 2009.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 17, 2008. Also any other incident reports, city orders/directions, correspondence, logs, notes, ect. relating to this property since April 17, 2008.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', 'incident', 'report', 'order', 'direction', 'correspondence', 'relate', 'property', 'april']
Original Request: A copy of the fire report for {an address.}. The incident occurred on October 30, 2011.
Tokens prepared for LDA: ['report', 'address.}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 18, 2012. Fire Report No. F12029701.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march', 'report', 'f12029701']
Original Request: A copy of the renewable energy study phase 1 from February 24, 2012.
Tokens prepared for LDA: ['renewable', 'energy', 'study', 'phase', 'february']
Original Request: A copy of the inspection records and orders issued to {an address}, including records from fire, public health, building and ML&S.
Tokens prepared for LDA: ['inspection', 'record', 'order', 'issue', 'address', 'include', 'record', 'public', 'health', 'build', 'ml&s.']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 16, 2009. As well as a copy of the building permit for {an address}, file no. 09-184017 BLD.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'build', 'permit', 'address', '184017']
Original Request: A copy of all information related to the 1980 Building permit for a private detached dwelling at {an address}.
Tokens prepared for LDA: ['information', 'relate', 'building', 'permit', 'private', 'detach', 'dwell', 'address}.']
Original Request: A copy of the Public Health records and updated ML&S documents regarding {an address} from October, 2011 to present.
Tokens prepared for LDA: ['public', 'health', 'record', 'update', 'document', 'regard', 'address', 'october', 'present']
Original Request: A copy of the sprinkler calculations, the ASHRAE forms and building permit applications for {an address}.
Tokens prepared for LDA: ['sprinkler', 'calculation', 'ashrae', 'build', 'permit', 'application', 'address}.']
Original Request: A copy of records relating to work completed by the City of Toronto on {an address}. There was damage to the property on or about September 7, 2011.
Tokens prepared for LDA: ['record', 'relate', 'complete', 'toronto', 'address}.', 'damage', 'property', 'september']
Original Request: A copy of the demolition building permit for the residential home {an address}.
Tokens prepared for LDA: ['demolition', 'build', 'permit', 'residential', 'address}.']
Original Request: The number of tickets issued for parking illegally in the disabled parking space located near {two addresses} from January 2011 to February 25, 2012. Also the number of tickets issued from February 26, 2012 to present.
Tokens prepared for LDA: ['ticket', 'issue', 'illegally', 'disable', 'space', 'locate', 'address', 'january', 'february', 'ticket', 'issue', 'february', 'present']
Original Request: A copy of all building documents for {an address}.
Tokens prepared for LDA: ['build', 'document', 'address}.']
Original Request: A copy of the traffic light outage records for Birchmount Road and Danforth Avenue. The traffic light outage occurred on February 15, 2012 at 10:28 a.m.
Tokens prepared for LDA: ['traffic', 'light', 'outage', 'record', 'birchmount', 'danforth', 'avenue', 'traffic', 'light', 'outage', 'occur', 'february', '10:28']
Original Request: A copy of the development charges paid under the building permit application for {an address} and the ground floor area square footage the development charged were based on. Building permit no. 9800277.
Tokens prepared for LDA: ['development', 'charge', 'build', 'permit', 'application', 'address', 'grind', 'floor', 'square', 'footage', 'development', 'charge', 'building', 'permit', '9800277']
Original Request: A copy of the request for the replacement of damaged traffic signs at the intersection of Scarborough Golf Club Road and Dunelm Road. The traffic signs were replaced between July 1, 2011 and September 15, 2011. Also records relating to work completed.
Tokens prepared for LDA: ['request', 'replacement', 'damage', 'traffic', 'intersection', 'scarborough', 'dunelm', 'traffic', 'replace', 'september', 'record', 'relate', 'complete']
Original Request: A copy of all records, notes, photos, correspondence with the landlord/owner and all documents related to any work orders issued to {an address}.
Tokens prepared for LDA: ['record', 'photo', 'correspondence', 'landlord', 'owner', 'document', 'relate', 'order', 'issue', 'address}.']
Original Request: A copy of the bid documents provided by the three lowest bidders for the call document no. 279-2011 regarding various work required at Earl Bales Park.
Tokens prepared for LDA: ['document', 'provide', 'bidder', 'document', 'regard', 'various', 'require', 'bale']
Original Request: A copy of all records involving the Medical Officer of Health and the Chair and Vice Chair of the Board of Health regarding item 2(a) of the Decision Document for the Board's meeting no. 3 on Water Fluoridation in Toronto.
Tokens prepared for LDA: ['record', 'involve', 'medical', 'officer', 'health', 'chair', 'chair', 'board', 'health', 'regard', 'decision', 'document', 'board', 'water', 'fluoridation', 'toronto']
Original Request: A copy of all records and communications between the Toronto Zoo and the Performing Animal Welfare Society (aka PAWS), including all correspondence, reports and agreements between them.
Tokens prepared for LDA: ['record', 'communication', 'toronto', 'performing', 'animal', 'welfare', 'society', 'include', 'correspondence', 'report', 'agreement']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on March 27, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 18, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the assessed value of construction at {an address}. This information may be with the building permit files.
Tokens prepared for LDA: ['ass', 'value', 'construction', 'address}.', 'information', 'build', 'permit']
Original Request: A copy of the assessed value of construction at {an address}. This information may be with the building permit files.
Tokens prepared for LDA: ['ass', 'value', 'construction', 'address}.', 'information', 'build', 'permit']
Original Request: A copy of the file no. 09 104824 PRS 00 IV, the verdict of hearing, the letter of appeal involving {an individual} and any other communication relating to these documents.
Tokens prepared for LDA: ['104824', 'verdict', 'letter', 'appeal', 'involve', 'individual', 'communication', 'relate', 'document']
Original Request: A copy of the file no. 09 104824 PRS 00 IV, the verdict of hearing, the letter of appeal involving {an individual} and any other communication relating to these documents.
Tokens prepared for LDA: ['104824', 'verdict', 'letter', 'appeal', 'involve', 'individual', 'communication', 'relate', 'document']
Original Request: A copy of all pictures taken at {an address} in or around March 2012. Toronto Water took pictures of the underground pipes with a snake camera.
Tokens prepared for LDA: ['picture', 'address', 'march', 'toronto', 'water', 'picture', 'underground', 'snake', 'camera']
Original Request: A copy of the fire report for {an address}, North York. The incident occurred on April 15, 2012.
Tokens prepared for LDA: ['report', 'address', 'north', 'incident', 'occur', 'april']
Original Request: A copy of the Solid Waste Management Service assessments, cost analysis, polls, audits and status reports on the Blue Box program, Green bin recycling and garbage for landfills from January 2010 to April 2012.
Tokens prepared for LDA: ['solid', 'waste', 'management', 'service', 'assessment', 'analysis', 'audit', 'status', 'report', 'program', 'green', 'recycle', 'garbage', 'landfill', 'january', 'april']
Original Request: A copy of records related to the Integrity Commissioner's reports on Violation of Code of Conduct (Item CC52.1, August 25, 2010) and Compliance with Council Decisions (Item CC16.6 February 6-7, 2012). Also associated communication records.
Tokens prepared for LDA: ['record', 'relate', 'integrity', 'commissioner', 'report', 'violation', 'conduct', 'cc52.1', 'august', 'compliance', 'council', 'decision', 'cc16.6', 'february', 'associate', 'communication', 'record']
Original Request: A copy of records relating to the PFR decision regarding crossbow use at the archery range in ET Seton Park, including the total amount of time spent on the criteria for group and specific information on how a decision was made.
Tokens prepared for LDA: ['record', 'relate', 'decision', 'regard', 'crossbow', 'archery', 'range', 'seton', 'include', 'total', 'spend', 'criterium', 'group', 'specific', 'information', 'decision']
Original Request: A copy of the fire report for {an address}. The incident occurred on September 6, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 2, 2012. Fire Report No. F12035786.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', 'report', 'f12035786']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 23, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the building permits for {an address}, including permits for the additions, parking areas, etc.
Tokens prepared for LDA: ['build', 'permit', 'address', 'include', 'permit', 'addition']
Original Request: A copy of all building permits, application materials, correspondence, related surveys, etc. for {an address} from 1970 to May 14, 2008. Also any records involving {an address}, including boundary disputes, fencing issues, and applications.
Tokens prepared for LDA: ['build', 'permit', 'application', 'material', 'correspondence', 'relate', 'survey', 'address', 'record', 'involve', 'address', 'include', 'boundary', 'dispute', 'fence', 'issue', 'application']
Original Request: A copy of the building permit and inspector notes for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'inspector', 'address}.']
Original Request: All complaints involving City staff or building inspector regarding {an address}, including the details of the report and results. Also all building and construction permits, tree records, and parking issues with related call records.
Tokens prepared for LDA: ['complaint', 'involve', 'staff', 'build', 'inspector', 'regard', 'address', 'include', 'report', 'result', 'build', 'construction', 'permit', 'record', 'issue', 'relate', 'record']
Original Request: A copy of the Public Health file no. 104881 regarding a rabies report victim, {an individual}.
Tokens prepared for LDA: ['public', 'health', '104881', 'regard', 'rabies', 'report', 'victim', 'individual}.']
Original Request: A copy of the service request for the intersection of Bathurst Street and Fleet Street from October 2011.
Tokens prepared for LDA: ['service', 'request', 'intersection', 'bathurst', 'street', 'fleet', 'street', 'october']
Original Request: A copy of all building permit applications submitted by {a named company} regarding {a named company} from 2003 to present, as well as all permits on file. Also contents of all files containing communications with the City and interested parties.
Tokens prepared for LDA: ['build', 'permit', 'application', 'submit', 'company', 'regard', 'company', 'present', 'permit', 'content', 'contain', 'communication', 'party']
Original Request: A copy of any records relating to the servicing or inspection of the sewer/drainage system in and around {an address}, including reports, photos, documents, videos, etc. Specifically any work completed on or around August 25, 2011.
Tokens prepared for LDA: ['record', 'relate', 'service', 'inspection', 'sewer', 'drainage', 'address', 'include', 'report', 'photo', 'document', 'video', 'specifically', 'complete', 'august']
Original Request: A copy of files from Toronto Water relating to sewer back up for {an address} from January 2008 to April 2012.
Tokens prepared for LDA: ['toronto', 'water', 'relate', 'sewer', 'address', 'january', 'april']
Original Request: A copy of the entire file # 10-299-079 relating to {an individual}, Scarborough.
Tokens prepared for LDA: ['entire', 'relate', 'individual', 'scarborough']
Original Request: A copy of meeting minutes between Toronto Region Conservation Authority and Toronto Building and City Planning staff relating to the house inspection at {an address}, Scarborough. The meeting was held on Jan. 15, 2008.
Tokens prepared for LDA: ['minute', 'toronto', 'region', 'conservation', 'authority', 'toronto', 'building', 'planning', 'staff', 'relate', 'house', 'inspection', 'address', 'scarborough', 'january']
Original Request: A list of all building permits for {an address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', 'address', 'toronto']
Original Request: A copy of the Contract between the City of Toronto and {a named company} for security service provision at Union Station, 65 Front Street West. The Contract awarded related to RFP# 9101-08-7168.
Tokens prepared for LDA: ['contract', 'toronto', 'company', 'security', 'service', 'provision', 'union', 'station', 'street', 'contract', 'award', 'relate']
Original Request: Copies of any records relating to the servicing or inspection of the sewer/drainage system in and around {an address} Etobicoke, including, but not limited to report, photographs, documents and videotapes.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'service', 'inspection', 'sewer', 'drainage', 'address', 'etobicoke', 'include', 'limit', 'report', 'photograph', 'document', 'videotape']
Original Request: A copy of building permit file # 84-002359-00 for {an address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', '002359', 'address', 'toronto']
Original Request: A copy of all building inspection reports for {an address} from April 2000 to November 2011.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'address', 'april', 'november']
Original Request: Copies of any maintenance records, construction records, but not limited to work orders, contracts, and road closures for July 2011 for the sidewalk area of {an address}, Scarborough.
Tokens prepared for LDA: ['copy', 'maintenance', 'record', 'construction', 'record', 'limit', 'order', 'contract', 'closure', 'sidewalk', 'address', 'scarborough']
Original Request: A copy of building reports for {an address}, Toronto.
Tokens prepared for LDA: ['build', 'report', 'address', 'toronto']
Original Request: A copy of inspection reports, including photos for {an address}, Toronto. The permit numbers are 08-144062, REV 08-144062-01, 08-160219.
Tokens prepared for LDA: ['inspection', 'report', 'include', 'photo', 'address', 'toronto', 'permit', 'number', '144062', '144062', '160219']
Original Request: Information on the Street Furniture Agreement signed July 20, 2007 relating to RFP # 91903-06-7316 (dated Sept. 8, 2006) between the City of Toronto and Astral Media Outdoor. Please see attached request.
Tokens prepared for LDA: ['information', 'street', 'furniture', 'agreement', 'relate', '91903', 'september', 'toronto', 'astral', 'medium', 'outdoor', 'attach', 'request']
Original Request: A list of properties purchased or sold by the City of Toronto during the last year. The list should include the name of the buyer, seller, address, transaction, the area, and any other fields of information kept. Please provide in Excel spreadsheet.
Tokens prepared for LDA: ['property', 'purchase', 'toronto', 'include', 'buyer', 'seller', 'address', 'transaction', 'field', 'information', 'provide', 'excel', 'spreadsheet']
Original Request: A copy of the detailed receipts and reimbursement documents for the most recent out of province trip by Mayor Ford.
Tokens prepared for LDA: ['receipt', 'reimbursement', 'document', 'recent', 'province', 'mayor']
Original Request: A copy of all maintenance records for the sidewalk and road outside of Malvern Town Centre from November 17, 2011 to present.
Tokens prepared for LDA: ['maintenance', 'record', 'sidewalk', 'outside', 'malvern', 'centre', 'november', 'present']
Original Request: A copy of the 2011 (actual) and 2012 (projected) parks budget numbers for Ward 18 including all expenses and revenues.
Tokens prepared for LDA: ['actual', 'project', 'budget', 'number', 'include', 'expense', 'revenue']
Original Request: A copy of the 2011 (actual) and 2012 (projected) parks budget numbers for Ward 18 including all expenses and revenues.
Tokens prepared for LDA: ['actual', 'project', 'budget', 'number', 'include', 'expense', 'revenue']
Original Request: A copy of the 2011 (actual) and 2012 (projected) recreation budget numbers for Ward 18 including all expenses and revenues.
Tokens prepared for LDA: ['actual', 'project', 'recreation', 'budget', 'number', 'include', 'expense', 'revenue']
Original Request: A copy of all EMS records relating to the Sunrise Propane explosion on {an address}. Records should include, but not limited to reports, studies, emails with attachments, memos, directives, briefing notes, analysis, documents and assessments.
Tokens prepared for LDA: ['record', 'relate', 'sunrise', 'propane', 'explosion', 'address}.', 'record', 'include', 'limit', 'report', 'study', 'email', 'attachment', 'directive', 'brief', 'analysis', 'document', 'assessment']
Original Request: A copy of all fire incident reports, fire prevention reports, and all related records concerning the 2008 Sunrise Propane explosion that occurred August 10, 2008 at {an address}.
Tokens prepared for LDA: ['incident', 'report', 'prevention', 'report', 'relate', 'record', 'concern', 'sunrise', 'propane', 'explosion', 'occur', 'august', 'address}.']
Original Request: A copy of all health hazard investigations and hazardous material records relating to the propane filling stations in Toronto, not limited to the Sunrise Propane property at {an address}.
Tokens prepared for LDA: ['health', 'hazard', 'investigation', 'hazardous', 'material', 'record', 'relate', 'propane', 'station', 'toronto', 'limit', 'sunrise', 'propane', 'property', 'address}.']
Original Request: A copy of all records relating to the regulation and zoning of propane stations in Toronto from January 1, 2005 to present. Records should include, but not limited to reports, studies, emails with attachments, memos, directives, briefing notes, analysis.
Tokens prepared for LDA: ['record', 'relate', 'regulation', 'propane', 'station', 'toronto', 'january', 'present', 'record', 'include', 'limit', 'report', 'study', 'email', 'attachment', 'directive', 'brief', 'analysis']
Original Request: A copy of all inspection reports made and received between January 1, 2011 and January 17, 2012) related to bridges, viaducts, overpass or other similar constructions located within the limits of the City of Toronto.
Tokens prepared for LDA: ['inspection', 'report', 'receive', 'january', 'january', 'relate', 'bridge', 'viaduct', 'overpass', 'similar', 'construction', 'locate', 'limit', 'toronto']
Original Request: A copy of the health report regarding the visit to {an address}. On or about January 21 or 22, 2008 a health inspector visited this unit for mould in the carpet.
Tokens prepared for LDA: ['health', 'report', 'regard', 'visit', 'address}.', 'january', 'health', 'inspector', 'visit', 'mould', 'carpet']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 15, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 14, 2012. Fire Report No.: F12028222.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march', 'report', 'f12028222']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 24, 2012
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 8, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on October 10, 2011. Fire Report No. F11132705.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'october', 'report', 'f11132705']
Original Request: A copy of all invoices for four of the charges added to the tax certificate for {an address}.
Tokens prepared for LDA: ['invoice', 'charge', 'certificate', 'address}.']
Original Request: A copy of any records showing the reasons as to why the Urban Forestry Division denied a request to destroy a tree on {an address}.
Tokens prepared for LDA: ['record', 'reason', 'urban', 'forestry', 'division', 'request', 'destroy', 'address}.']
Original Request: A copy of all Public Health reports regarding the Patty King beef patty box that was picked up by Public Health from {an address} in March or April 2008. The Patty King beef patty box was purchased from No Frills at Albion Mall.
Tokens prepared for LDA: ['public', 'health', 'report', 'regard', 'patty', 'patty', 'public', 'health', 'address', 'march', 'april', 'patty', 'patty', 'purchase', 'frill', 'albion']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on March 20, 2012 at approximately 10:30 p.m.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'march', 'approximately', '10:30']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on April 9, 2012.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, North York. The incident occurred on March 15, 2012.
Tokens prepared for LDA: ['report', 'address', 'north', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 10, 2010 and the fire was in the 3rd floor stairwell.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'floor', 'stairwell']
Original Request: A copy of all building records and site plan agreements dating back to 1960's for {three addresses}.
Tokens prepared for LDA: ['build', 'record', 'agreement', 'addresses}.']
Original Request: A copy of the two fire reports for {an address}. The incidents occurred on December 12, 2006 and December 17, 2006. Fire Report No.'s F06138892 and F06140768. Also include any warnings given to any parties and all instructions from Fire.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december', 'december', 'report', 'f06138892', 'f06140768', 'include', 'warning', 'party', 'instruction']
Original Request: A copy of records showing the number of cell phones issued to employees of the City of Toronto and the cost of cell phone used for the two most recent completed budget years.
Tokens prepared for LDA: ['record', 'phone', 'issue', 'employee', 'toronto', 'phone', 'recent', 'complete', 'budget']
Original Request: A list of all vehicles in the City of Toronto's passenger-vehicle fleet, including the model, model year, and how many are in the fleet.
Tokens prepared for LDA: ['vehicle', 'toronto', 'passenger', 'vehicle', 'fleet', 'include', 'model', 'model', 'fleet']
Original Request: A copy of any records related to any initiative over the past year to improve processing time and efficiency in processing Freedom of Information requests.
Tokens prepared for LDA: ['record', 'relate', 'initiative', 'improve', 'process', 'efficiency', 'process', 'freedom', 'information', 'request']
Original Request: A copy of the water shut-off records for {an address} from June 1, 2010 to present. Including the dates and times for which the water was shut off.
Tokens prepared for LDA: ['water', 'record', 'address', 'present', 'include', 'water']
Original Request: A copy of all ML&S and Public Health records relating to {an address} as well as the common areas of the building.
Tokens prepared for LDA: ['public', 'health', 'record', 'relate', 'address', 'common', 'build']
Original Request: A copy of the fire prevention inspection conducted in March 2012 at {an address}.
Tokens prepared for LDA: ['prevention', 'inspection', 'conduct', 'march', 'address}.']
Original Request: A copy of records relating to sidewalk repairs in front of {an address} around March 13, 2012.. The whole in the sidewalk was from work completed by Toronto Water approximately 1.5 years ago.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'repair', 'address', 'march', 'sidewalk', 'complete', 'toronto', 'water', 'approximately']
Original Request: A copy of all building permits relating to {an address}, specifically any permits from 1980 or 1981. File No. 1980021378BLD and 1512221 00HH.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'address', 'specifically', 'permit', '1980021378bld', '1512221']
Original Request: A copy of the building documents for {an address}, including file no.'s: 199376 and 283680.
Tokens prepared for LDA: ['build', 'document', 'address', 'include', '199376', '283680']
Original Request: A copy of all records relating to a stop sign that was erected at Wychwood Avenue and Benson Avenue, including any records relating to trees or shrubs blocking the stop sign at {an address}.
Tokens prepared for LDA: ['record', 'relate', 'erect', 'wychwood', 'avenue', 'benson', 'avenue', 'include', 'record', 'relate', 'shrub', 'block', 'address}.']
Original Request: A copy of the archived records relating to the development of Sutton Place Hotel. Fonds 200, Series 368, File 123.
Tokens prepared for LDA: ['archive', 'record', 'relate', 'development', 'sutton', 'place', 'hotel', 'fonds', 'series']
Original Request: A copy of the contractor statement from Minutemen Contracting Inc. in regards to water proofing at {an address}. File No. B20709.
Tokens prepared for LDA: ['contractor', 'statement', 'minuteman', 'contracting', 'regard', 'water', 'proof', 'address}.', 'b20709']
Original Request: A copy of any reports, briefing notes, communications between government officials and related interest groups (email and other correspondence) leading up to the referendum held in 1997 regarding a possible casino in the City of Toronto.
Tokens prepared for LDA: ['report', 'brief', 'communication', 'government', 'official', 'relate', 'group', 'email', 'correspondence', 'referendum', 'regard', 'possible', 'casino', 'toronto']
Original Request: A copy of any and all records relating to the demolition and construction of {an address}, Toronto. Records to include but not limited to permits, approvals, inspections notes, OMB notes and decisions, and notes from Heritage Preservation Service
Tokens prepared for LDA: ['record', 'relate', 'demolition', 'construction', 'address', 'toronto', 'record', 'include', 'limit', 'permit', 'approval', 'inspection', 'decision', 'heritage', 'preservation', 'service']
Original Request: All information for Cab-Ambassador {A49} where {an individual} was driver for Beck but is currently driver for Crown Taxi.
Tokens prepared for LDA: ['information', 'ambassador', 'individual', 'driver', 'currently', 'driver', 'crown']
Original Request: A copy of all demolition, construction and related permits and plans relating to {an address
Tokens prepared for LDA: ['demolition', 'construction', 'relate', 'permit', 'relate', 'address']
Original Request: A copy of the entire file, including permits drawings, revised drawings, reports by engineers, building inspectors' notes, comments by other City staff relating to {an address}.
Tokens prepared for LDA: ['entire', 'include', 'permit', 'drawing', 'revise', 'drawing', 'report', 'engineer', 'build', 'inspector', 'comment', 'staff', 'relate', 'address}.']
Original Request: A copy of video of Agenda Item 2 relating to the North St. James Town of the Design Review Panel meeting held on March 19, 2012 at City Hall, Committee Room 2.
Tokens prepared for LDA: ['video', 'agenda', 'relate', 'north', 'james', 'design', 'review', 'panel', 'march', 'committee']
Original Request: A copy of Memorandum of Understanding between the City of Toronto and the Toronto Zoo / Zoo Board of Management. Retention schedule for the Toronto Zoo. Descriptions of roles and responsibilities of all management positions at the Zoo.
Tokens prepared for LDA: ['memorandum', 'understanding', 'toronto', 'toronto', 'board', 'management', 'retention', 'schedule', 'toronto', 'description', 'responsibility', 'management', 'position']
Original Request: All documents relating to building permit and public works (Toronto Water) for {an address}.
Tokens prepared for LDA: ['document', 'relate', 'build', 'permit', 'public', 'toronto', 'water', 'address}.']
Original Request: A copy of the official record of the hearing for the ML&S dog muzzle incident involving {an individual} residing at {an address}.
Tokens prepared for LDA: ['official', 'record', 'muzzle', 'incident', 'involve', 'individual', 'reside', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on December 25, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 17, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of any records showing the water shut off dates which would affect water service to {an address} between January 1, 2011 to December 31, 2011.
Tokens prepared for LDA: ['record', 'water', 'affect', 'water', 'service', 'address', 'january', 'december']
Original Request: A copy of all building permit applications for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'address}.']
Original Request: A copy of the ferry service income, outlay, and profit in reference to Centreville/Far Enough Farm.
Tokens prepared for LDA: ['ferry', 'service', 'income', 'outlay', 'profit', 'reference', 'centreville']
Original Request: A copy of the fire report for {an address}. The incident occurred on August 18, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 2, 2012. Fire Report F12035085.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', 'report', 'f12035085']
Original Request: A copy of all building documents for {an address} since the house was built, including all building activity.
Tokens prepared for LDA: ['build', 'document', 'address', 'house', 'build', 'include', 'build', 'activity']
Original Request: A copy of the building permit history, inspection history, inspection reports, and orders to comply for {an address} from 2008 to 2011.
Tokens prepared for LDA: ['build', 'permit', 'history', 'inspection', 'history', 'inspection', 'report', 'order', 'comply', 'address']
Original Request: A copy of the fire report for a motor vehicle accident that occurred on Crescent Town Road. The incident occurred on January 13, 2012. Please include all available information.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'crescent', 'incident', 'occur', 'january', 'include', 'available', 'information']
Original Request: A copy of the video record of agenda item #2 (Fort York Neighbourhood Block 4) of Design Review Panel meeting held in Committee Room 2 at City Hall on April 16, 2012.
Tokens prepared for LDA: ['video', 'record', 'agendum', 'neighbourhood', 'block', 'design', 'review', 'panel', 'committee', 'april']
Original Request: A copy of all documents pertaining to work orders issued by the City of Toronto to the building at {an address} from May 15, 2011 to present, especially where the building fails to meet code, building standards or violations.
Tokens prepared for LDA: ['document', 'pertain', 'order', 'issue', 'toronto', 'build', 'address', 'present', 'especially', 'build', 'build', 'standard', 'violation']
Original Request: A copy of the records and reports relating to the mould and flooding at {an address}. Records from February 1, 2012 to March 1, 2012.
Tokens prepared for LDA: ['record', 'report', 'relate', 'mould', 'flood', 'address}.', 'record', 'february', 'march']
Original Request: A copy of the dog attack records relating to the incident at {an address}, including investigation documents, notes, witness statements, photos, videos, etc. The incident occurred on December 25, 2011.
Tokens prepared for LDA: ['attack', 'record', 'relate', 'incident', 'address', 'include', 'investigation', 'document', 'witness', 'statement', 'photo', 'video', 'incident', 'occur', 'december']
Original Request: A copy of all contracts between PAWS and the Toronto Zoo and any elephant transfer agreement information, including all email and/or references to the Toronto Zoo or Toronto Zoo elephants. All correspondence from PAWS and Zoocheck to any zoo employees.
Tokens prepared for LDA: ['contract', 'toronto', 'elephant', 'transfer', 'agreement', 'information', 'include', 'email', 'and/or', 'reference', 'toronto', 'toronto', 'elephant', 'correspondence', 'zoocheck', 'employee']
Original Request: A copy of ML&S records relating to {an address}, including all correspondence. File No.'s 11 284460PRS00IV and 11 284444PRS00IV. Records and correspondence between September 25, 2011 and November 1, 2011.
Tokens prepared for LDA: ['record', 'relate', 'address', 'include', 'correspondence', '284460prs00iv', '284444prs00iv', 'record', 'correspondence', 'september', 'november']
Original Request: A copy of ML&S records relating to {an address}, including all correspondence. File No.'s 11 284460PRS00IV and 11 284444PRS00IV. Records and correspondence between September 25, 2011 and November 1, 2011.
Tokens prepared for LDA: ['record', 'relate', 'address', 'include', 'correspondence', '284460prs00iv', '284444prs00iv', 'record', 'correspondence', 'september', 'november']
Original Request: A copy of the building and fire inspection reports for the basement apartment at {an address}, including any building permits issued to this basement apartment.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'basement', 'apartment', 'address', 'include', 'build', 'permit', 'issue', 'basement', 'apartment']
Original Request: A copy of the building or demolition permit issued to {an address} between 1959 and 1979.
Tokens prepared for LDA: ['build', 'demolition', 'permit', 'issue', 'address']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on April 17, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 17, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on March 27, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of all correspondence related to building permits, flooding and land encroachment issues for {an address}, North York
Tokens prepared for LDA: ['correspondence', 'relate', 'build', 'permit', 'flood', 'encroachment', 'issue', 'address', 'north']
Original Request: A copy of the Public Health report for poor air quality at {an address}, Etobicoke. The inspection was completed on April 24, 2012 around 10 a.m.
Tokens prepared for LDA: ['public', 'health', 'report', 'quality', 'address', 'etobicoke', 'inspection', 'complete', 'april']
Original Request: A copy of the old City of Etobicoke's "Windows on the Lake" initiative.
Tokens prepared for LDA: ['etobicoke', 'windows', 'initiative']
Original Request: A copy of the complaint that was filed against {an address} relating to an eavestrough infraction. Also all notes, reports, emails and electronic records from anyone involved with this matter.
Tokens prepared for LDA: ['complaint', 'address', 'relate', 'eavestrough', 'infraction', 'report', 'email', 'electronic', 'record', 'involve']
Original Request: A copy of the two fire inspection reports for {an address} from March 20 and 23, 2012.
Tokens prepared for LDA: ['inspection', 'report', 'address', 'march']
Original Request: A copy of the file no. B12043 related to a company called X Maple Air Heating + Cooling, including records related to {an individual}.
Tokens prepared for LDA: ['b12043', 'relate', 'company', 'maple', 'heating', 'cooling', 'include', 'record', 'relate', 'individual}.']
Original Request: A copy of all building permits available for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'available', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 29, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 21, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 1, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for the Royal Canadian Yach Club. The incident occurred on February 21, 2012.
Tokens prepared for LDA: ['report', 'royal', 'canadian', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 18, 2012 around 11:30 a.m. Fire Report No. F12042299.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', '11:30', 'report', 'f12042299']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on the HWY 401 E/B near Yonge Street. The incident occurred on February 8, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'yonge', 'street', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 8, 2012 around 11:30 p.m.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', '11:30']
Original Request: A copy of the 911 call transcript for the slip and fall incident that occurred at an address. The incident occurred on September 2, 2007 at approximately 6:30 p.m.
Tokens prepared for LDA: ['transcript', 'incident', 'occur', 'address', 'incident', 'occur', 'september', 'approximately']
Original Request: A copy of the video footage from the FGG Jarvis Gardiner camera looking eastbound and the FGG Cherry Street camera looking westbound for the one hour period near the time of the accident which occurred at 2:50 a.m. on June 15, 2007.
Tokens prepared for LDA: ['video', 'footage', 'jarvis', 'gardiner', 'camera', 'eastbound', 'cherry', 'street', 'camera', 'westbound', 'period', 'accident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 22, 2012 around 6:30 p.m.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 21, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 6, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the ML&S complaint file for {an address}. The file no. 12154754 ION 00IV, including the complaint and/or complainant record.
Tokens prepared for LDA: ['complaint', 'address}.', '12154754', 'include', 'complaint', 'and/or', 'complainant', 'record']
Original Request: A copy of all files, emails and correspondence concerning the construction at {an address}, including items concerning permits, orders, and violations. Also any new information since 2009 and all information concerning {an address}.
Tokens prepared for LDA: ['email', 'correspondence', 'concern', 'construction', 'address', 'include', 'concern', 'permit', 'order', 'violation', 'information', 'information', 'concern', 'address}.']
Original Request: A copy of the fire report for the motor vehicle fire that occurred at McCowan Road and Eglinton Avenue. The incident occurred on March 20, 2012 around 11:00 a.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'occur', 'mccowan', 'eglinton', 'avenue', 'incident', 'occur', 'march', '11:00']
Original Request: A copy of the building permit history, water sewage history, and home renovation issues (constructions or water problems) for {an address}. All records from 2001 to November 17, 2011.
Tokens prepared for LDA: ['build', 'permit', 'history', 'water', 'sewage', 'history', 'renovation', 'issue', 'construction', 'water', 'problem', 'address}.', 'record', 'november']
Original Request: A copy of all complaints against {an address} and associated records for the past 7 years.
Tokens prepared for LDA: ['complaint', 'address', 'associate', 'record']
Original Request: A copy of the RESCU Camera #20 (Lakeshore Blvd. West) from October 30, 2011 between 11:45 a.m. and 12:15 p.m.
Tokens prepared for LDA: ['rescu', 'camera', 'lakeshore', 'october', '11:45', '12:15']
Original Request: A copy of all active or inactive permits and all inspection notes and documents pertaining to any work to be done at {an address} from May 8, 2009 to present.
Tokens prepared for LDA: ['active', 'inactive', 'permit', 'inspection', 'document', 'pertain', 'address', 'present']
Original Request: A copy of all information in the City Manager's Office or Ombudsman's Office regarding any cases involving {an address}.
Tokens prepared for LDA: ['information', 'manager', 'office', 'ombudsman', 'office', 'regard', 'involve', 'address}.']
Original Request: A copy of all information in the City Manager's Office or Ombudsman's Office regarding any cases involving {an address}.
Tokens prepared for LDA: ['information', 'manager', 'office', 'ombudsman', 'office', 'regard', 'involve', 'address}.']
Original Request: A copy of Mayor Rob Ford's daily itineraries from November 1, 2011 to May 1, 2012, including names, titles, organizational affiliations of the meeting partners.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'november', 'include', 'title', 'organizational', 'affiliation', 'partner']
Original Request: A copy of the EMS 911 call record, transcript and/or master audio recording of the call relating to the motor vehicle accident at Wilson Avenue and Lexfield Avenue. The incident occurred on October 12, 2011.
Tokens prepared for LDA: ['record', 'transcript', 'and/or', 'master', 'audio', 'record', 'relate', 'motor', 'vehicle', 'accident', 'wilson', 'avenue', 'lexfield', 'avenue', 'incident', 'occur', 'october']
Original Request: A copy of all records regarding the garage doors located at the Upper Canada Court Residential Complex {3 addresses}.
Tokens prepared for LDA: ['record', 'regard', 'garage', 'locate', 'upper', 'canada', 'court', 'residential', 'complex', 'addresses}.']
Original Request: A copy of the RFQ related to occupational footwear submitted by Mister Safety Shoes, RFQ No. 0114-11-0001 (March 8, 2011).
Tokens prepared for LDA: ['relate', 'occupational', 'footwear', 'submit', 'mister', 'safety', 'shoes', 'march']
Original Request: A copy of the video surveillance for 220 Atwell Drive, Etobicoke, from July 10, 2009 between 6:00 a.m. to 10:00 a.m.
Tokens prepared for LDA: ['video', 'surveillance', 'atwell', 'drive', 'etobicoke', '10:00']
Original Request: A copy of the records associated with the parking space in front of {an address}, including any past notices or other communications with the previous owners regarding the existence and validity of this parking space.
Tokens prepared for LDA: ['record', 'associate', 'space', 'address', 'include', 'notice', 'communication', 'previous', 'owner', 'regard', 'existence', 'validity', 'space']
Original Request: A copy of the property standards report and fire inspection report for {an address}. The inspections occurred in March.
Tokens prepared for LDA: ['property', 'standard', 'report', 'inspection', 'report', 'address}.', 'inspection', 'occur', 'march']
Original Request: A copy of records relating to the destruction of a naturalized area in Riverdale Park East by Urban Forestry from 2012, including pages 10-15 of the Riverdale East Work Plan and all weekly report forms submitted in 2011.
Tokens prepared for LDA: ['record', 'relate', 'destruction', 'naturalize', 'riverdale', 'urban', 'forestry', 'include', 'riverdale', 'weekly', 'report', 'submit']
Original Request: All documents including, but not limited to, e:mails, letters, memos and other documents labelled as "talking points" or the Mayor's "key messages" between Jan. 1, 2011 and present. The search for records should include Mayor's office staff.
Tokens prepared for LDA: ['document', 'include', 'limit', 'letter', 'document', 'label', 'point', 'mayor', 'message', 'january', 'present', 'search', 'record', 'include', 'mayor', 'office', 'staff']
Original Request: All documents including, but not limited to, e:mails, letters, memos and other documents regarding the Mayor's attendance at any Pride event or International Day against homophobia events for 2012. Search for records should include Mayor's office staff.
Tokens prepared for LDA: ['document', 'include', 'limit', 'letter', 'document', 'regard', 'mayor', 'attendance', 'pride', 'event', 'international', 'homophobia', 'event', 'search', 'record', 'include', 'mayor', 'office', 'staff']
Original Request: A copy of the Mayor's and/or City's budget submissions to the Ontario government and the Federal government prior to the release of the 2012 budget.
Tokens prepared for LDA: ['mayor', 'and/or', 'budget', 'submission', 'ontario', 'government', 'federal', 'government', 'prior', 'release', 'budget']
Original Request: A copy of the most two recent building inspection reports for {an address}, Etobicoke.
Tokens prepared for LDA: ['recent', 'build', 'inspection', 'report', 'address', 'etobicoke']
Original Request: An electronic document showing the first three characters of the postal codes of all addresses where bedbugs were reported in 2011.
Tokens prepared for LDA: ['electronic', 'document', 'character', 'postal', 'address', 'bedbug', 'report']
Original Request: All records relating to file # 12125499 relating to {Live and Work} at {an address}, aka {an address}. Search for records should include Building, ML&S, Business Trades Unit and any records on fraud investigations.
Tokens prepared for LDA: ['record', 'relate', '12125499', 'relate', 'address', 'address}.', 'search', 'record', 'include', 'building', 'business', 'trade', 'record', 'fraud', 'investigation']
Original Request: Copies of any updates or additions to the fire inspection reports for {an address}, Toronto or any new inspection reports since Sept. 29, 2011.
Tokens prepared for LDA: ['copy', 'update', 'addition', 'inspection', 'report', 'address', 'toronto', 'inspection', 'report', 'september']
Original Request: A list of the charges laid by Toronto Building for non-compliance to the Ontario Building Code, including fine amount and details of orders for the last 5 years.
Tokens prepared for LDA: ['charge', 'toronto', 'building', 'compliance', 'ontario', 'building', 'include', 'order']
Original Request: A copy of dog attack report relating to {an individual} from Animal Services. The incident occurred on November 28, 2011 at {an address}, Etobicoke.
Tokens prepared for LDA: ['attack', 'report', 'relate', 'individual', 'animal', 'services', 'incident', 'occur', 'november', 'address', 'etobicoke']
Original Request: A copy of all complaints from ML&S relating to {an address}, Toronto as well as complaints filed against {an individual}.
Tokens prepared for LDA: ['complaint', 'relate', 'address', 'toronto', 'complaint', 'individual}.']
Original Request: A copy of 911 call record, transcript and/or master audio recording of the call at the intersection of {an address} and {an address} at 7.45 pm on October 6, 2011.
Tokens prepared for LDA: ['record', 'transcript', 'and/or', 'master', 'audio', 'record', 'intersection', 'address', 'address', 'october']
Original Request: A copy of the ML&S report for chimney repair completed at {an address}. File No. B12999.
Tokens prepared for LDA: ['report', 'chimney', 'repair', 'complete', 'address}.', 'b12999']
Original Request: A copy of the archival records relating to Ontario Place including Fonds 220, series 11, file no.'s 287, 72, 288, 289, and 290.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'ontario', 'place', 'include', 'fonds', 'series']
Original Request: A copy of the work order for {an address}. The inspection was completed during the week of February 13, 2012. The inspection included this unit and the common areas of the building.
Tokens prepared for LDA: ['order', 'address}.', 'inspection', 'complete', 'february', 'inspection', 'include', 'common', 'build']
Original Request: A copy of the EMS 911 cal transcript regarding the incident at {an address}, North York. The incident occurred on December 3, 2011.
Tokens prepared for LDA: ['transcript', 'regard', 'incident', 'address', 'north', 'incident', 'occur', 'december']
Original Request: A copy of the building deficiency report for {an address}.
Tokens prepared for LDA: ['build', 'deficiency', 'report', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 3, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 8, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 2, 2008.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of documents relating to official visits to City Hall by individuals such as dignitaries, governors, ambassadors, and other elected officials from December 1, 2010 to May 7, 2012 who were scheduled to meet with Mayor Rob Ford.
Tokens prepared for LDA: ['document', 'relate', 'official', 'visit', 'individual', 'dignitary', 'governor', 'ambassador', 'elect', 'official', 'december', 'schedule', 'mayor']
Original Request: A copy of all communications originating from or sent to certain members of the mayor's office from May 2 (7:30 p.m. to end of day) to May 7, 2012 (end of day) relating to the incident between the mayor and Toronto Star reporter on May 2, 2012
Tokens prepared for LDA: ['communication', 'originate', 'certain', 'member', 'mayor', 'office', 'relate', 'incident', 'mayor', 'toronto', 'reporter']
Original Request: A copy of the public health records for {an address} from February, March, and April 2011. The records relate to bed bug infestation. Alicia Lowe and Elzbieta Purzyc from Public Health conducted the inspections.
Tokens prepared for LDA: ['public', 'health', 'record', 'address', 'february', 'march', 'april', 'record', 'relate', 'infestation', 'alicia', 'elzbieta', 'purzyc', 'public', 'health', 'conduct', 'inspection']
Original Request: A copy of the fire report for {an address}. The incident occurred on June 12, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 21, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the building file no. 335675 for {an address}.
Tokens prepared for LDA: ['build', '335675', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on February 2, 2012. Fire Report No. F12012591.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'february', 'report', 'f12012591']
Original Request: A copy of all records from Building for permit number 2010 203676 bld 00 SR relating to {an address}, Toronto, including permits issued for construction, confirmation of inspections, Certificate of Completion.
Tokens prepared for LDA: ['record', 'building', 'permit', '203676', 'relate', 'address', 'toronto', 'include', 'permit', 'issue', 'construction', 'confirmation', 'inspection', 'certificate', 'completion']
Original Request: Records or details of all ML&S and Fire Prevention visits, and/or actions at {an address}., Scarborough, from January 2007 to present.
Tokens prepared for LDA: ['record', 'prevention', 'visit', 'and/or', 'action', 'address}.', 'scarborough', 'january', 'present']
Original Request: All files and supporting documents, past cases, policies, directives, by-laws, procedures used to make ruling/decision relating to folder 11 245283 PRS 00 IV.
Tokens prepared for LDA: ['support', 'document', 'policy', 'directive', 'procedure', 'decision', 'relate', 'folder', '245283']
Original Request: Copies of any outstanding orders from Public Health and Toronto Building against {an address}, Etobicoke.
Tokens prepared for LDA: ['copy', 'outstanding', 'order', 'public', 'health', 'toronto', 'building', 'address', 'etobicoke']
Original Request: A copy of dog attack report relating to activity # 7227, including name and address of dog owner. The incident occurred on April 25, 2012 and the victim was {an individual}.
Tokens prepared for LDA: ['attack', 'report', 'relate', 'activity', 'include', 'address', 'owner', 'incident', 'occur', 'april', 'victim', 'individual}.']
Original Request: Copies of all files relating to the vendor's permit issued to {a vendor} and {an eating establishment}, both located at {an address}, Scarborough, including violation records.
Tokens prepared for LDA: ['copy', 'relate', 'vendor', 'permit', 'issue', 'vendor', 'establishment', 'locate', 'address', 'scarborough', 'include', 'violation', 'record']
Original Request: A list of all permits issued for {an address}, Etobicoke from 1980 to present including dates that permits were issued, status of permits (active or closed).
Tokens prepared for LDA: ['permit', 'issue', 'address', 'etobicoke', 'present', 'include', 'permit', 'issue', 'status', 'permit', 'active', 'close']
Original Request: A list of all permits issued for {an address}, Etobicoke from 1980 to present including dates that permits were issued, status of permits (active or closed).
Tokens prepared for LDA: ['permit', 'issue', 'address', 'etobicoke', 'present', 'include', 'permit', 'issue', 'status', 'permit', 'active', 'close']
Original Request: A copy of all documents relating to inspections and orders regarding {an address (2nd floor, back room)} including notes, correspondence, emails, electronic records, photos, etc. held by Fire, Public Health and ML&S.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'order', 'regard', 'address', 'floor', 'include', 'correspondence', 'email', 'electronic', 'record', 'photo', 'public', 'health', 'ml&s.']
Original Request: A copy of all documents related to inspections of {an address} in 2012, including fire inspections, Public Health inspections and Building inspections.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'address', 'include', 'inspection', 'public', 'health', 'inspection', 'building', 'inspection']
Original Request: A copy of the mould/water damage report to {an address}.
Tokens prepared for LDA: ['mould', 'water', 'damage', 'report', 'address}.']
Original Request: A copy of all documents having the name {an individual} attached in the possession of select staff of Fire Services.
Tokens prepared for LDA: ['document', 'individual', 'attach', 'possession', 'select', 'staff', 'services']
Original Request: A copy of all documents relating to the accident claim reference no. 1132875 and file no. 3058. This is in relation to a slip and fall incident involving Toronto Water and Toronto Hydro.
Tokens prepared for LDA: ['document', 'relate', 'accident', 'claim', 'reference', '1132875', 'relation', 'incident', 'involve', 'toronto', 'water', 'toronto', 'hydro']
Original Request: A copy of the ML&S information for {an address}, including the documents related to the report/order no. 10278976.
Tokens prepared for LDA: ['information', 'address', 'include', 'document', 'relate', 'report', 'order', '10278976']
Original Request: A copy of all building, plumbing, and mechanical building permits relating to {an address}, including any Committee of Adjustment Decisions.
Tokens prepared for LDA: ['build', 'plumb', 'mechanical', 'build', 'permit', 'relate', 'address', 'include', 'committee', 'adjustment', 'decision']
Original Request: A copy of all ML&S records relating to {an address} from 1993 to present, including any documents in connection with the "Examination for Discovery".
Tokens prepared for LDA: ['record', 'relate', 'address', 'present', 'include', 'document', 'connection', 'examination', 'discovery']
Original Request: A copy of all surveys and survey files regarding the retaining wall between {an address} and {an address}. ML&S file no.'s 10 307805 PRS 00 IV and 11 171178 PRS 00 IV.
Tokens prepared for LDA: ['survey', 'survey', 'regard', 'retain', 'address', 'address}.', '307805', '171178']
Original Request: A copy of all inspection reports for {an address} which was built under permit no. 08191985.
Tokens prepared for LDA: ['inspection', 'report', 'address', 'build', 'permit', '08191985']
Original Request: A copy of all building permits and orders relating to {an address}, including file no. 11-170706.
Tokens prepared for LDA: ['build', 'permit', 'order', 'relate', 'address', 'include', '170706']
Original Request: A copy of the ML&S file no. 10 179 753 PRS 00 IV regarding {an address}, including any records related to phone calls by ML&S inspector to neighbouring properties.
Tokens prepared for LDA: ['regard', 'address', 'include', 'record', 'relate', 'phone', 'inspector', 'neighbour', 'property']
Original Request: A copy of the entire file related to the work permit no. 04 115519 regarding {an address}, including all records, documents, correspondence, and plans.
Tokens prepared for LDA: ['entire', 'relate', 'permit', '115519', 'regard', 'address', 'include', 'record', 'document', 'correspondence']
Original Request: A copy of all Public Health reports related to bed bugs, insects, and other concerns regarding {an address}, including the inspection documents relaring to bed bugs on April 10, 2012.
Tokens prepared for LDA: ['public', 'health', 'report', 'relate', 'insect', 'concern', 'regard', 'address', 'include', 'inspection', 'document', 'relaring', 'april']
Original Request: A copy of all complaints and associates files with ML&S from 2012 regarding {an address}. There should be complaints against the landlord for lighting issues, stairwells, and cleanliness of common areas.
Tokens prepared for LDA: ['complaint', 'associate', 'regard', 'address}.', 'complaint', 'landlord', 'light', 'issue', 'stairwell', 'cleanliness', 'common']
Original Request: A copy of all fire reports for {an address} since January 2007.
Tokens prepared for LDA: ['report', 'address', 'january']
Original Request: A copy of all records relating to the signage approval on {an address}, including the TV / signage on Richmond Street West and Queen Street West.
Tokens prepared for LDA: ['record', 'relate', 'signage', 'approval', 'address', 'include', 'signage', 'richmond', 'street', 'queen', 'street']
Original Request: A copy of the fire report for {an address}, Etobicoke. The incident occurred on August 24, 2011.
Tokens prepared for LDA: ['report', 'address', 'etobicoke', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 13, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 5, 2012. Fire Report No. F12036932.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', 'report', 'f12036932']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 30, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on March 25, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 29, 2012. Fire Report no. F12046969.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april', 'report', 'f12046969']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on March 25, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of any records showing outstanding weed or hedge cutting charges for {an address}.
Tokens prepared for LDA: ['record', 'outstanding', 'hedge', 'charge', 'address}.']
Original Request: A copy of all building permits and inspections, fire inspection, and violation records, health inspections and violation records for {an address}, Toronto. The search should go as far back as possible.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'inspection', 'violation', 'record', 'health', 'inspection', 'violation', 'record', 'address', 'toronto', 'search', 'possible']
Original Request: A copy of the document called 'Permit to Injure or Destroy Trees on Private Property', issued for the complete removal of the live maple tree located in the front yard of {an address}. The permit was issued around July 2010.
Tokens prepared for LDA: ['document', 'permit', 'injure', 'destroy', 'tree', 'private', 'property', 'issue', 'complete', 'removal', 'maple', 'locate', 'address}.', 'permit', 'issue']
Original Request: A copy of documents regarding the removal of items at {an address}, including a list of items removed and other details available.
Tokens prepared for LDA: ['document', 'regard', 'removal', 'address', 'include', 'remove', 'available']
Original Request: A copy of the following building files for {an address}: 11-227052 BLD, 08-189115, and 11-213491 ZZC.
Tokens prepared for LDA: ['follow', 'build', 'address', '227052', '189115', '213491']
Original Request: A copy of the records relating to the building permit no. 03-147533 or other application documents such as inspection notes, reports, status letters, and investigation cards for {an address}.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', '147533', 'application', 'document', 'inspection', 'report', 'status', 'letter', 'investigation', 'address}.']
Original Request: A copy of the records relating to issues at {an address}, including complaint records from the requester, inspection reports and the outcome of the investigations. Issues include cleanliness of the building and pest control.
Tokens prepared for LDA: ['record', 'relate', 'issue', 'address', 'include', 'complaint', 'record', 'requester', 'inspection', 'report', 'outcome', 'investigation', 'issue', 'include', 'cleanliness', 'build', 'control']
Original Request: A copy of any records of any action taken with regards to convictions and fines relating to garbage around the property of {an address}.
Tokens prepared for LDA: ['record', 'action', 'regard', 'conviction', 'relate', 'garbage', 'property', 'address}.']
Original Request: A copy of all Food Contamination/Seizure Reports issued by Public Health involving eggs at {an addresst} from January 1, 2012 to present.
Tokens prepared for LDA: ['contamination', 'seizure', 'report', 'issue', 'public', 'health', 'involve', 'addresst', 'january', 'present']
Original Request: A copy of all documents relating to the set-up/start-up and evaluation of the Impact Cleaning contract as it relates to the Toronto Police Stations, including emails, reports, spreadsheets, etc. All records from January 1, 2012 to April 30, 2012.
Tokens prepared for LDA: ['document', 'relate', 'start', 'evaluation', 'impact', 'cleaning', 'contract', 'relate', 'toronto', 'police', 'stations', 'include', 'email', 'report', 'spreadsheet', 'record', 'january', 'april']
Original Request: A copy of all documents related to the Mayor's Task Force on Homelessness from 2011 & 2012.
Tokens prepared for LDA: ['document', 'relate', 'mayor', 'force', 'homelessness']
Original Request: A copy of all documents related to the Mayor's Task Force on ice rinks infrastructure from 2011 and 2012.
Tokens prepared for LDA: ['document', 'relate', 'mayor', 'force', 'infrastructure']
Original Request: A copy of all documents related to the Mayor's Task Force on ice rinks infrastructure from 2011 and 2012.
Tokens prepared for LDA: ['document', 'relate', 'mayor', 'force', 'infrastructure']
Original Request: A copy of SSHA documents relating to purchased service for shelter/hostel services, including a list of agencies for the last 3 years which have received Agency In Difficulty Reviews and/or a Review of Agencies with Funding Conditions.
Tokens prepared for LDA: ['document', 'relate', 'purchase', 'service', 'shelter', 'hostel', 'service', 'include', 'agency', 'receive', 'agency', 'difficulty', 'review', 'and/or', 'review', 'agency', 'funding', 'conditions']
Original Request: Copies of any and all building documents, permits, applications and plans regarding {an address}, Etobicoke.
Tokens prepared for LDA: ['copy', 'build', 'document', 'permit', 'application', 'regard', 'address', 'etobicoke']
Original Request: A copy of all building permits and work orders, drawings, issued for {an address}, Toronto
Tokens prepared for LDA: ['build', 'permit', 'order', 'drawing', 'issue', 'address', 'toronto']
Original Request: Update to the petition submitted by Councillor Cesar Palacio to City Concil in relation to a petition submitted and unanimously accepted on April 10, 2012.
Tokens prepared for LDA: ['update', 'petition', 'submit', 'councillor', 'cesar', 'palacio', 'concil', 'relation', 'petition', 'submit', 'unanimously', 'accept', 'april']
Original Request: A complete copy of the 911 call record relating to the incident that occurred on April 14, 2009 at King St. West and Widner St., Toronto.
Tokens prepared for LDA: ['complete', 'record', 'relate', 'incident', 'occur', 'april', 'widner', 'toronto']
Original Request: A copy of fire inspection report and all updated notes and records as well as ML&S by-law offences and violations for (an address), Scarborough.
Tokens prepared for LDA: ['inspection', 'report', 'update', 'record', 'offence', 'violation', 'address', 'scarborough']
Original Request: A copy of past building permit drawings, specifications, building permit related inspection reports or "as-built" changes during the permit process for {an address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', 'drawing', 'specification', 'build', 'permit', 'relate', 'inspection', 'report', 'build', 'change', 'permit', 'process', 'address', 'toronto']
Original Request: A copy of all documents, including CCTV footage, relating to a flood/sewer backup that occurred on May 13, 2012 at {two addresses}, Toronto. The 311 reference number is 1485311 and the Customer Representative number is {649165}.
Tokens prepared for LDA: ['document', 'include', 'footage', 'relate', 'flood', 'sewer', 'backup', 'occur', 'address', 'toronto', 'reference', '1485311', 'customer', 'representative', '649165}.']
Original Request: A copy of fire inspection report for {an address}. The inspection was done in the third week of April 2012.
Tokens prepared for LDA: ['inspection', 'report', 'address}.', 'inspection', 'april']
Original Request: A copy of fire report for {an address}. The incident report number is F12044313.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'report', 'f12044313']
Original Request: A copy of building inspection notes on the status of past inspections for {an address}, relating to building, HVAC, plumbing. Also, a current status report with outstanding stages of inspection as well building permit revision applications.
Tokens prepared for LDA: ['build', 'inspection', 'status', 'inspection', 'address', 'relate', 'build', 'plumb', 'current', 'status', 'report', 'outstanding', 'stage', 'inspection', 'build', 'permit', 'revision', 'application']
Original Request: A copy of building permit for the garage at {an address} on the adjoining property to {an address}.
Tokens prepared for LDA: ['build', 'permit', 'garage', 'address', 'adjoin', 'property', 'address}.']
Original Request: A copy of building permit permission and blue print copy of {an address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', 'permission', 'print', 'address', 'toronto']
Original Request: A copy of print out of the history of {an address}, York, as well as all building permits and work orders from 1995 to present.
Tokens prepared for LDA: ['print', 'history', 'address', 'build', 'permit', 'order', 'present']
Original Request: An itemized list of the top 25 employees who claimed overtime and lieu time in 2011, including rate of pay and section/division tey work in as well as the total cost to each section/division of claimed overtime and lieu hours.
Tokens prepared for LDA: ['itemize', 'employee', 'claim', 'overtime', 'include', 'section', 'division', 'total', 'section', 'division', 'claim', 'overtime']
Original Request: A copy of all building permits applied by the owner of {an address}, Scarborough, from February 2012 to present.
Tokens prepared for LDA: ['build', 'permit', 'apply', 'owner', 'address', 'scarborough', 'february', 'present']
Original Request: A copy of all inspection and compliance records regarding {an address} from January 2009 to present.
Tokens prepared for LDA: ['inspection', 'compliance', 'record', 'regard', 'address', 'january', 'present']
Original Request: A copy of the March 16, 2011 incident report regarding the sewer back-up near {10 Carlson Court} on Feb. 3, 2011. Also any investigation documents developed by or on behalf of the Environment Protection and Monitoring Group and associated sewer drawings.
Tokens prepared for LDA: ['march', 'incident', 'report', 'regard', 'sewer', 'carlson', 'court', 'february', 'investigation', 'document', 'develope', 'behalf', 'environment', 'protection', 'monitoring', 'group', 'associate', 'sewer', 'drawing']
Original Request: A copy of the last Public Health inspection for {an address}, Scarborough. The inspection was of The NutMeg Pantry.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'address', 'scarborough', 'inspection', 'nutmeg', 'pantry']
Original Request: A copy of all building documents related to {an address}, including any permits, inspections, documents relating to the structure of the building, and any documents relating to the garage.
Tokens prepared for LDA: ['build', 'document', 'relate', 'address', 'include', 'permit', 'inspection', 'document', 'relate', 'structure', 'build', 'document', 'relate', 'garage']
Original Request: A copy of the building files related to {an address}, including file no.'s 350316 and 400. All permit records from 2002 to present.
Tokens prepared for LDA: ['build', 'relate', 'address', 'include', '350316', 'permit', 'record', 'present']
Original Request: A copy of any records related to the breakage and repair of a fire hydrant, fire pump system , or connecting pipes located on North Carson Street, slightly north of its intersection with Lanor Avenue. The incident occurred on or before Nov. 23, 2007.
Tokens prepared for LDA: ['record', 'relate', 'breakage', 'repair', 'hydrant', 'connect', 'locate', 'north', 'carson', 'street', 'slightly', 'north', 'intersection', 'lanor', 'avenue', 'incident', 'occur', 'november']
Original Request: A copy of the records relating to the ML&S file no. IRB20925 regarding Bloor West Construction Inc., including all reports and pictures.
Tokens prepared for LDA: ['record', 'relate', 'irb20925', 'regard', 'bloor', 'construction', 'include', 'report', 'picture']
Original Request: A copy of the surveillance video and report for an incident at P3 parking level at North York Civic Centre. The incident occurred on April 23, 2012 at 8:20 a.m.
Tokens prepared for LDA: ['surveillance', 'video', 'report', 'incident', 'level', 'north', 'civic', 'centre', 'incident', 'occur', 'april']
Original Request: A copy of any building permit and inspection information and records for {an address}.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'information', 'record', 'address}.']
Original Request: A copy of all building records for {an address} from September 2010 to present.
Tokens prepared for LDA: ['build', 'record', 'address', 'september', 'present']
Original Request: A copy of the building permits and demolition permits pertaining to {an address} and former address of {an address}.
Tokens prepared for LDA: ['build', 'permit', 'demolition', 'permit', 'pertain', 'address', 'address', 'address}.']
Original Request: A copy of the maintenance records for the Taxi vehicle operated by {an individual} with Northland Taxi on January 7, 2009. All records from January 7, 2008 to January 7, 2009.
Tokens prepared for LDA: ['maintenance', 'record', 'vehicle', 'operate', 'individual', 'northland', 'january', 'record', 'january', 'january']
Original Request: Copies of building permit applications for {an address}, Toronto. The permit numbers are 97-251417 DRN 00 DR and 98-251966 PLB 00 PS.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'address', 'toronto', 'permit', 'number', '251417', '251966']
Original Request: Data re: roof sign and wall sign pertaining to the new tax implemented a few years ago by the year from its effective date until present for {several addresses}.
Tokens prepared for LDA: ['pertain', 'implement', 'effective', 'present', 'addresses}.']
Original Request: A copy of building inspection report, copies of all current permits and any notes for {an address}, North York. The permits quoted are 11-301-686 for the house and 12-108-519 for the basement.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'current', 'permit', 'address', 'north', 'permit', 'quote', 'house', 'basement']
Original Request: A copy of report by By-law officer for {an address}, Scarborough and any other documents on file from ML&S.
Tokens prepared for LDA: ['report', 'officer', 'address', 'scarborough', 'document', 'ml&s.']
Original Request: A copy of building permit application and building officials inspection notes for {an address}., Toronto.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'official', 'inspection', 'address}.', 'toronto']
Original Request: An electronic copy of the records included in the City's Bridge Management System. Information should beprovided in a tab-delimited or comma-separated format.
Tokens prepared for LDA: ['electronic', 'record', 'include', 'bridge', 'management', 'information', 'beprovided', 'delimit', 'comma', 'separate', 'format']
Original Request: A copy of the entire contents of the planning and building file for {an address}, Toronto for the period ffrom April 3, 2010 to April 5, 2010.
Tokens prepared for LDA: ['entire', 'content', 'build', 'address', 'toronto', 'period', 'ffrom', 'april', 'april']
Original Request: A copy of record of service to clear sanitary drain relating to {an address}, Etobicoke. The first visit was in March 2012 and the second visit was in April 2012.
Tokens prepared for LDA: ['record', 'service', 'clear', 'sanitary', 'drain', 'relate', 'address', 'etobicoke', 'visit', 'march', 'visit', 'april']
Original Request: A copy of fire incident report for {an address}, North York. The incident occurred on May 7, 2012.
Tokens prepared for LDA: ['incident', 'report', 'address', 'north', 'incident', 'occur']
Original Request: A copy of fire incident report for {an address}, Scarborough. The incident occurred on May 13, 2012.
Tokens prepared for LDA: ['incident', 'report', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of fire incident report for {an address}, Toronto. The incident occurred on May 20, 2012.
Tokens prepared for LDA: ['incident', 'report', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of fire incident report for {an address.}, Toronto. The incident occurred on December 5, 2011.
Tokens prepared for LDA: ['incident', 'report', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of the 2010 building permit application for {an address}, including any additional documents relating to this application.
Tokens prepared for LDA: ['build', 'permit', 'application', 'address', 'include', 'additional', 'document', 'relate', 'application']
Original Request: A copy of all records related to construction work completed at or near {an address} in front of Bus Stop 1867 from January 2008 to present.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'complete', 'address', 'january', 'present']
Original Request: A copy of all records relating to {an address}, including any records relating to investigations, orders to comply, and reasons as to why the investigations were closed. All records from June 2011 to present.
Tokens prepared for LDA: ['record', 'relate', 'address', 'include', 'record', 'relate', 'investigation', 'order', 'comply', 'reason', 'investigation', 'close', 'record', 'present']
Original Request: A copy of any records relating to underground oil tanks located on {an address}, including any documents, plans, and building or demolition permits. Any records from 2000 to present.
Tokens prepared for LDA: ['record', 'relate', 'underground', 'locate', 'address', 'include', 'document', 'build', 'demolition', 'permit', 'record', 'present']
Original Request: A copy of any building documents relating to the load bearing walls for the basement and 2nd floor of {an address}, including any information on the most recent building permit.
Tokens prepared for LDA: ['build', 'document', 'relate', 'basement', 'floor', 'address', 'include', 'information', 'recent', 'build', 'permit']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 3, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, Weston. The incident occurred on April 3, 2012.
Tokens prepared for LDA: ['report', 'address', 'weston', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 29, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on April 4, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 4, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of all outstanding building permits for {an address}, including detailed information regarding the permits.
Tokens prepared for LDA: ['outstanding', 'build', 'permit', 'address', 'include', 'information', 'regard', 'permit']
Original Request: A copy of the tree declaration form regarding {an address}. File No. 11-210414.
Tokens prepared for LDA: ['declaration', 'regard', 'address}.', '210414']
Original Request: A copy of the file relating to building permit no. 09-159390 for {an address}.
Tokens prepared for LDA: ['relate', 'build', 'permit', '159390', 'address}.']
Original Request: A copy of the two Taxicab Fitness Reports issued for the taxi owned by {an individual}. The reports were issued prior to September 22, 2007.
Tokens prepared for LDA: ['taxicab', 'fitness', 'report', 'issue', 'individual}.', 'report', 'issue', 'prior', 'september']
Original Request: A copy of the Public Health report regarding the sanitary conditions at {an address}. The inspection occurred on March 5, 2012.
Tokens prepared for LDA: ['public', 'health', 'report', 'regard', 'sanitary', 'condition', 'address}.', 'inspection', 'occur', 'march']
Original Request: A copy of all parking permits issued to Gazzola Parking Ltd. for street maintenance and repair in the area of Finch Avenue East and Willowdale Avenue, from July 1, 2011 to September 30, 2011.
Tokens prepared for LDA: ['permit', 'issue', 'gazzola', 'parking', 'street', 'maintenance', 'repair', 'finch', 'avenue', 'willowdale', 'avenue', 'september']
Original Request: A copy of the ML&S inspection report for {an address}. The inspection occurred around March or April of 2011.
Tokens prepared for LDA: ['inspection', 'report', 'address}.', 'inspection', 'occur', 'march', 'april']
Original Request: A copy of the Ambulance Incident Details Call Report regarding the motor vehicle accident at Burhamthorpe Road and Renforth Drive. The incident occurred on February 11, 2011 at 5:25 p.m.
Tokens prepared for LDA: ['ambulance', 'incident', 'details', 'report', 'regard', 'motor', 'vehicle', 'accident', 'burhamthorpe', 'renforth', 'drive', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 13, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, Scarborough. The incident occurred on May 17, 2012.
Tokens prepared for LDA: ['report', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for {two addresses}. The incident occurred on March 6, 2011. Also copies of any fire fighter statements, notes, and other additional documentation related to the fire.
Tokens prepared for LDA: ['report', 'addresses}.', 'incident', 'occur', 'march', 'fighter', 'statement', 'additional', 'documentation', 'relate']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 7, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {an address}, North York. The incident occurred on May 20, 2012.
Tokens prepared for LDA: ['report', 'address', 'north', 'incident', 'occur']
Original Request: Information on standard taxi cab license average "selling" prices (monthly or quarterly whichever is available) for the period from Sept. 2009 to June 2010 inclusive.
Tokens prepared for LDA: ['information', 'standard', 'license', 'average', 'price', 'monthly', 'quarterly', 'whichever', 'available', 'period', 'september', 'inclusive']
Original Request: A copy of Public Health complaint records relating to {an address} for the period from Sept. 1, 2008 to September 11, 2008.
Tokens prepared for LDA: ['public', 'health', 'complaint', 'record', 'relate', 'address', 'period', 'september', 'september']
Original Request: Sign permit information relating to {an address}, including information on folder # 11-179258 on violation and any revocation. Also any records on court orders.
Tokens prepared for LDA: ['permit', 'information', 'relate', 'address', 'include', 'information', 'folder', '179258', 'violation', 'revocation', 'record', 'court', 'order']
Original Request: A copy of the inspection record from Toronto Water and any records from 311 relating to the plumbing issue at {an address}. The inspection was done by Toronto Water on April 30, 2012.
Tokens prepared for LDA: ['inspection', 'record', 'toronto', 'water', 'record', 'relate', 'plumb', 'issue', 'address}.', 'inspection', 'toronto', 'water', 'april']
Original Request: A copy of fire inspection reports and health inspection reports for {an address}, Toronto.
Tokens prepared for LDA: ['inspection', 'report', 'health', 'inspection', 'report', 'address', 'toronto']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 29, 2012. Fire Report No. F12059547.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'report', 'f12059547']
Original Request: A copy of the fire report for {an address}. The incident occurred on March 26, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {an address}. The incident occurred on November 27, 2010.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the complaint record that led to the building inspector inspecting {an address}.
Tokens prepared for LDA: ['complaint', 'record', 'build', 'inspector', 'inspect', 'address}.']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 25, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the mailing address for {an individual} from Golden Mile Employment and Social Services.
Tokens prepared for LDA: ['address', 'individual', 'golden', 'employment', 'social', 'services']
Original Request: A copy of all ML&S documents regarding {an address} for the past 10 years, specifically all photographs taken on March 27, 2012 relating to a work order. Folder No. 12135780 PRS IV.
Tokens prepared for LDA: ['document', 'regard', 'address', 'specifically', 'photograph', 'march', 'relate', 'order', 'folder', '12135780']
Original Request: A copy of the fire report for {an individual}. The incident occurred on May 25, 2012. Fire Report No. F12057709.
Tokens prepared for LDA: ['report', 'individual}.', 'incident', 'occur', 'report', 'f12057709']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 29, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on July 14, 2011.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on May 29, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {an address}. The incident occurred on April 29, 2012.
Tokens prepared for LDA: ['report', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report regarding an elevator incident at {an address}. The incident occurred on April 12, 2012.
Tokens prepared for LDA: ['report', 'regard', 'elevator', 'incident', 'address}.', 'incident', 'occur', 'april']
Original Request: Record of the schedule of rates filed by 1512081 Ontario Ltd., also known as Abrams Towing, for each year beginning Jan. 1, 2012 to Dec. 31, 2017.
Tokens prepared for LDA: ['record', 'schedule', '1512081', 'ontario', 'abrams', 'tow', 'begin', 'january', 'december']
Original Request: Record of deficiencies identified under demolition and building permit for {}. Record search from Jan. 1, 2017 to Sep. 26, 2017.
Tokens prepared for LDA: ['record', 'deficiency', 'identify', 'demolition', 'build', 'permit', 'record', 'search', 'january', 'september']
Original Request: A copy of Toronto Public Health file following investigation at {} on Jul. 25, 2017.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'follow', 'investigation']
Original Request: A copy of outstanding work orders, unclosed permits and inspection reports for {} from Jan. 1, 1997 to June 1, 2017.
Tokens prepared for LDA: ['outstanding', 'order', 'unclosed', 'permit', 'inspection', 'report', 'january']
Original Request: A copy of Committee of Adjustment file application and staff report for {}, ref. # A582/97.
Tokens prepared for LDA: ['committee', 'adjustment', 'application', 'staff', 'report', 'a582/97']
Original Request: A complete list of by-law charges filed against Uber Canada under Chapter 546 and the outcome/status of those charges.
Tokens prepared for LDA: ['complete', 'charge', 'canada', 'chapter', 'outcome', 'status', 'charge']
Original Request: Copies of any work orders issued to {.} including any documentation of the associated costs. Record search from 2011 to present.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'include', 'documentation', 'associate', 'record', 'search', 'present']
Original Request: 1. Copies of all inspection records, engineering reports for {}, under permit # 15 209542 BLD 00 NH. 2. Copies of framing inspection report for the property. Record search from 2015 to 2017.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'engineer', 'report', 'permit', '209542', 'copy', 'frame', 'inspection', 'report', 'property', 'record', 'search']
Original Request: Copies of collected data with regards to the population numbers, location, and behavior of feral cat colonies within the "Trap, Neuter, Return" Program. Record search from Jan. 1, 2012 to Jan. 1, 2017.
Tokens prepared for LDA: ['copy', 'collect', 'datum', 'regard', 'population', 'number', 'location', 'behavior', 'feral', 'colony', 'neuter', 'return', 'program', 'record', 'search', 'january', 'january']
Original Request: A call log of all complaint calls and e-mail received in relation to {} including, investigative details. Record search from Jan. 1, 2013 to Jan. 10, 2017.
Tokens prepared for LDA: ['complaint', 'receive', 'relation', 'include', 'investigative', 'record', 'search', 'january', 'january']
Original Request: A call log of all complaint calls and e-mail received in relation to {.} including, investigative details. Record search from Jan. 1, 2013 to Jan. 10, 2017.
Tokens prepared for LDA: ['complaint', 'receive', 'relation', 'include', 'investigative', 'record', 'search', 'january', 'january']
Original Request: A copy of all records relating to sidewalk maintenance and inspection that took place along the sidewalk path leading from Queens Quay E., to the Jack Layton Ferry Terminal. Record of all 311 calls, complaints received for the aforementioned area.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'place', 'sidewalk', 'queens', 'layton', 'ferry', 'terminal', 'record', 'complaint', 'receive', 'aforementioned']
Original Request: Record of all complaints made against {}. Record search from Dec. 12, 2012 to Oct. 3, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'record', 'search', 'december', 'october']
Original Request: Record of any existing orders or investigations regarding {} also known as {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property']
Original Request: Copies of 311 and Toronto Fire records with regards to {} from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'record', 'regard', 'january', 'present']
Original Request: Record of the schedule of rates and chargeable fees filed by A Tow Operator and S.K. Towing. Record search from Oct. 4, 2016 to Oct. 4, 2017.
Tokens prepared for LDA: ['record', 'schedule', 'chargeable', 'operator', 'tow', 'record', 'search', 'october', 'october']
Original Request: A copy of investigative report records following dog bite incident at {} on Mar. 7, 2017 at or around 5:15 p.m.
Tokens prepared for LDA: ['investigative', 'report', 'record', 'follow', 'incident', 'march']
Original Request: A copy of investigative report following dog bite incident reported by {} on Mar. 7, 2017 in relation to incident which occurred at {}.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'incident', 'report', 'march', 'relation', 'incident', 'occur']
Original Request: All documents submitted to Amazon, the American electronic commerce and cloud computing company, as part of the City's bid for the company's HQ2 (the proposed corporate headquarters).
Tokens prepared for LDA: ['document', 'submit', 'amazon', 'american', 'electronic', 'commerce', 'cloud', 'compute', 'company', 'company', 'propose', 'corporate', 'headquarter']
Original Request: All building inspection records and e-mail for {} including a copy of survey taken by the City pursuant to resolving building permit inspection complaints. Record search May 11, 2017 to present.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'include', 'survey', 'pursuant', 'resolve', 'build', 'permit', 'inspection', 'complaint', 'record', 'search', 'present']
Original Request: All records from the Toronto Sun request (FOI # 2016-02538).
Tokens prepared for LDA: ['record', 'toronto', 'request', '02538']
Original Request: Record of all studies and monies spent on the Rail Deck Park project from January 1, 2013 to present.
Tokens prepared for LDA: ['record', 'study', 'money', 'spend', 'project', 'january', 'present']
Original Request: All notices of violation issued to {} from Jan. 1, 2010 to Sep. 1, 2017.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'january', 'september']
Original Request: Record of any costing or budgeting information regarding Canada 150 music events held in the City of Toronto, i.e. the allocation of funds for artists, performances, advertising, equipment, staffing etc.
Tokens prepared for LDA: ['record', 'budget', 'information', 'regard', 'canada', 'music', 'event', 'toronto', 'allocation', 'artist', 'performance', 'advertise', 'equipment', 'staff']
Original Request: Any and all electronic documents including e-mails received or sent by Councillor Paula Fletcher in which reference is made to {}, {.} or {}. Record search Jan. 1, 2016 to Oct. 5, 2017.
Tokens prepared for LDA: ['electronic', 'document', 'include', 'receive', 'councillor', 'paula', 'fletcher', 'reference', 'record', 'search', 'january', 'october']
Original Request: A complete copy of ML&S file pertaining to {}, excluding records released under 2017-01676. Latest inspection was done in October by W. Safdar, ML&S Officer.
Tokens prepared for LDA: ['complete', 'pertain', 'exclude', 'record', 'release', '01676', 'latest', 'inspection', 'october', 'safdar', 'officer']
Original Request: Copies of all documents associated with {} under permit #. B83094 (1997); H83094 (1997) & 12-183138. Record search from 1997 to 2002.
Tokens prepared for LDA: ['copy', 'document', 'associate', 'permit', 'b83094', 'h83094', '183138', 'record', 'search']
Original Request: Copies of Toronto Building (Aug. 16, 2017) and Toronto Fire Services (date unknown) inspection reports for {}.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'august', 'toronto', 'services', 'unknown', 'inspection', 'report']
Original Request: Al records of complaint (including investigation details, correspondence etc.) regarding {} from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'investigation', 'correspondence', 'regard', 'january', 'present']
Original Request: Please provide the list of adjustments used to arrive at the operating revenue budget figure of $10,216,264 in note 18 (page 38) of the 2016 audited financial statements (https://drive.google.com/file/d/0B208oCU9D8OuX2F1a0VNQUU4OWM)
Tokens prepared for LDA: ['provide', 'adjustment', 'arrive', 'operate', 'revenue', 'budget', 'figure', '10,216,264', 'audit', 'financial', 'statement', 'https://drive.google.com/file/d/0b208ocu9d8oux2f1a0vnquu4owm']
Original Request: Record of complaint and identity of complainant relating to the tent trailer in the backyard of {}, Toronto.
Tokens prepared for LDA: ['record', 'complaint', 'identity', 'complainant', 'relate', 'trailer', 'backyard', 'toronto']
Original Request: All e-mails and any other communications sent or received by the Mayor and his staff, and staff from Parks Forestry and Recreation, relating to the renaming of the Centennial Park Stadium to the Rob Ford Memorial Stadium.
Tokens prepared for LDA: ['communication', 'receive', 'mayor', 'staff', 'staff', 'parks', 'forestry', 'recreation', 'relate', 'rename', 'centennial', 'stadium', 'memorial', 'stadium']
Original Request: All e-mails and any other communications sent or received by the Mayor and his staff, and staff from Parks Forestry and Recreation, relating to the renaming of the Centennial Park Stadium to the Rob Ford Memorial Stadium.
Tokens prepared for LDA: ['communication', 'receive', 'mayor', 'staff', 'staff', 'parks', 'forestry', 'recreation', 'relate', 'rename', 'centennial', 'stadium', 'memorial', 'stadium']
Original Request: Copies of any and all building permits which relate to or were issued for {} between Jan. 1, 1975 and Dec. 31, 2009, together with any relevant information that may pertain to a detached garage on the property.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'relate', 'issue', 'january', 'december', 'relevant', 'information', 'pertain', 'detach', 'garage', 'property']
Original Request: A copy of Order to Comply # 17 234394 OTC 00 V1, issued on Sept. 18, 2017 issued to {}. This Order to Comply affects Application/Permit No. 17 209328 BLD 00 SR.
Tokens prepared for LDA: ['order', 'comply', '234394', 'issue', 'september', 'issue', 'order', 'comply', 'affect', 'application', 'permit', '209328']
Original Request: A copy of Engineer's Report provided to Toronto Building as per the "Required action and compliance date" section of the Order to Comply No. 17 234394 OTC 00 V1 issued on Sept. 18, 2017 for {.}.
Tokens prepared for LDA: ['engineer', 'report', 'provide', 'toronto', 'building', 'require', 'action', 'compliance', 'section', 'order', 'comply', '234394', 'issue', 'september']
Original Request: All ML&S complaints, including photos taken of the property and personal items, relating to the daycare operating at {} from Jan. 2017 to present.
Tokens prepared for LDA: ['complaint', 'include', 'photo', 'property', 'personal', 'relate', 'daycare', 'operate', 'january', 'present']
Original Request: All records from Animal Services pertaining to a complaint made against the dogs at {} on July 3, 2017. Record search from July 3, 2017 to Aug. 25, 2017.
Tokens prepared for LDA: ['record', 'animal', 'services', 'pertain', 'complaint', 'record', 'search', 'august']
Original Request: A complete copy of unredacted building file for {} from 1986 to present.
Tokens prepared for LDA: ['complete', 'unredacted', 'build', 'present']
Original Request: A copy of ML&S complaint file for file # 16 229574 PRS 00 IV for {} including photos and information on property boundaries on file. Record search from Sept. 2016 to present,.
Tokens prepared for LDA: ['complaint', '229574', 'include', 'photo', 'information', 'property', 'boundary', 'record', 'search', 'september', 'present']
Original Request: A copy of lease agreement between the City and Liberty Entertainment Group of Casa Loma from Nov. 2013 to present. A copy of lease agreement between City of Toronto and Liberty Entertainment Group of Casa Loma Stables "North Campus" 2015
Tokens prepared for LDA: ['lease', 'agreement', 'liberty', 'entertainment', 'group', 'november', 'present', 'lease', 'agreement', 'toronto', 'liberty', 'entertainment', 'group', 'stable', 'north', 'campus']
Original Request: All occupancy permits for {.} issued for the units on the 2nd to the 9th floors. Record search from Sept. 1, 2016 to Oct. 6, 2017.
Tokens prepared for LDA: ['occupancy', 'permit', 'issue', 'floor', 'record', 'search', 'september', 'october']
Original Request: Building records for {}, including printed documents, electronic records, plans, drawings and photographs, building permit application and issuance, site plans and inspections. Record search from Jan. 1, 2011 to Nov. 19,. 2015.
Tokens prepared for LDA: ['building', 'record', 'include', 'print', 'document', 'electronic', 'record', 'drawing', 'photograph', 'build', 'permit', 'application', 'issuance', 'inspection', 'record', 'search', 'january', 'november']
Original Request: A copy of any records that the City of Toronto may have relating to calls made to 311 concerning the area near {} between June 1, 2014 and July 5, 2014. The issue related to deficiencies in the area.
Tokens prepared for LDA: ['record', 'toronto', 'relate', 'concern', 'issue', 'relate', 'deficiency']
Original Request: Copies of all complaints regarding the outdoor patio at 100 Cumberland St. (Sassafraz Restaurant) from ML&S.
Tokens prepared for LDA: ['copy', 'complaint', 'regard', 'outdoor', 'patio', 'cumberland', 'sassafraz', 'restaurant', 'ml&s.']
Original Request: Copies of ML&S inspections reports relating to {} on Aug. 20, 2017 and Oct. 20, 2017.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relate', 'august', 'october']
Original Request: Copies of ML&S inspections reports relating to {} on Aug. 20, 2017 and Oct. 20, 2017.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relate', 'august', 'october']
Original Request: Copies of all inspection notes for {} under permit # 15 187151. Record search from 2015 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'permit', '187151', 'record', 'search', 'present']
Original Request: Copies of all inspection notes for {} under permit # 15 187151. Record search from 2015 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'permit', '187151', 'record', 'search', 'present']
Original Request: A complete copy of fire investigative file for {}.
Tokens prepared for LDA: ['complete', 'investigative']
Original Request: A complete copy of Property Standards file for {} in relation to file # 17 210618 PRS 00 IV and investigation #4756944.
Tokens prepared for LDA: ['complete', 'property', 'standard', 'relation', '210618', 'investigation', '4756944']
Original Request: Copies of Toronto Fire & ML&S files for {.}. Record search from Mar. 1, 2017 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'record', 'search', 'march', 'present']
Original Request: A copy of call transcript concerning a complaint about backyard trees on the property of {}. Record search from Jun. 1, 2017 to present.
Tokens prepared for LDA: ['transcript', 'concern', 'complaint', 'backyard', 'property', 'record', 'search', 'present']
Original Request: Record of anonymized aggregate data collected on the monthly aggregate statistics (or similar information) of the volume of taxicab and limousine trips (if either or both are available) taken in the City between Jan. 1, 2010 to present.
Tokens prepared for LDA: ['record', 'anonymized', 'aggregate', 'datum', 'collect', 'monthly', 'aggregate', 'statistic', 'similar', 'information', 'volume', 'taxicab', 'limousine', 'available', 'january', 'present']
Original Request: Copies of red-light camera stills or video footage of a motor vehicle collision at the intersection of Neilson Rd. and Sheppard Ave. E. on Nov. 25, 2014 sometime around 11:46 a.m. Vehicles involved: grey 2001 Acura 32T, license plate # {plate removed}.
Tokens prepared for LDA: ['copy', 'light', 'camera', 'video', 'footage', 'motor', 'vehicle', 'collision', 'intersection', 'neilson', 'sheppard', 'november', '11:46', 'vehicle', 'involve', 'acura', 'license', 'plate', 'plate', 'removed}.']
Original Request: For fire station #333 and #131, respectively the following schedule are requested (grouped by each station individually: Schedule (and actual occurrences, if different) of active, on-site usage For trucks and other power-driven, wheeled vehicles;
Tokens prepared for LDA: ['station', 'respectively', 'follow', 'schedule', 'request', 'group', 'station', 'individually', 'schedule', 'actual', 'occurrence', 'different', 'active', 'usage', 'truck', 'power', 'drive', 'wheel', 'vehicle']
Original Request: A complete copy of Public Health file # CRSIR 118032 which relates to inspection at {} on Sep. 6, 2017.
Tokens prepared for LDA: ['complete', 'public', 'health', 'crsir', '118032', 'relate', 'inspection', 'september']
Original Request: 1. A copy of permit reminder sent to owner of {} for the closure of building permits. 2. Record of the date and time of request for inspection by the owner. 3. A copy of records which were released to the owner of etc.
Tokens prepared for LDA: ['permit', 'reminder', 'owner', 'closure', 'build', 'permit', 'record', 'request', 'inspection', 'owner', 'record', 'release', 'owner']
Original Request: All records regarding the demolishing or rezoning of {.} including, issued and pending permits, violations and orders. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['record', 'regard', 'demolish', 'rezoning', 'include', 'issue', 'permit', 'violation', 'order', 'record', 'search', 'january', 'present']
Original Request: Copies of archived files: 1. Fonds 220, Series 11, File 1232, Music Building - Canadian Exhibition Place. 2. Fonds 220, Series 11, File 1982, Music Building - Canadian Exhibition Place. 3. Fonds 220, Series 11, File 2002 (Music Building) etc.
Tokens prepared for LDA: ['copy', 'archive', 'fonds', 'series', 'music', 'building', 'canadian', 'exhibition', 'place', 'fonds', 'series', 'music', 'building', 'canadian', 'exhibition', 'place', 'fonds', 'series', 'music', 'building']
Original Request: All building permits issued to {.} formerly known as {.} {} and {}. Record search from as far back possible to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'record', 'search', 'possible', 'present']
Original Request: Copies of Toronto Building and Toronto Water files pertaining to {}. Record search from Jan. 1, 1990 to Jan. 1, 2003.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'toronto', 'water', 'pertain', 'record', 'search', 'january', 'january']
Original Request: Any record of measures discussed or documented concerning Canada Goose Control in the City of Toronto. Record search from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['record', 'measure', 'discus', 'document', 'concern', 'canada', 'goose', 'control', 'toronto', 'record', 'search', 'january', 'present']
Original Request: Any record of measures discussed or documented concerning Canada Goose Control in the City of Toronto. Record search from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['record', 'measure', 'discus', 'document', 'concern', 'canada', 'goose', 'control', 'toronto', 'record', 'search', 'january', 'present']
Original Request: A complete copy of building file for {} including any agreements. Record search from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'agreement', 'record', 'search', 'possible', 'present']
Original Request: A complete copy of building file for {} including any agreements. Record search from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'agreement', 'record', 'search', 'possible', 'present']
Original Request: A copy of Subscribed Oath, pursuant to s. 4 of The Public Officers Act that Deputy Treasurer Mike St. Amant has taken.
Tokens prepared for LDA: ['subscribe', 'pursuant', 'public', 'officer', 'deputy', 'treasurer', 'amant']
Original Request: A copy of document which identifies the financial institution associated with 'institution #900' as seen on sample City of Toronto Remittance - Water & Solid Waste Management.
Tokens prepared for LDA: ['document', 'identify', 'financial', 'institution', 'associate', 'institution', 'sample', 'toronto', 'remittance', 'water', 'solid', 'waste', 'management']
Original Request: A copy of building file for {} as well as any fire records which relate to the safety or integrity of stairs at the property.
Tokens prepared for LDA: ['build', 'record', 'relate', 'safety', 'integrity', 'stair', 'property']
Original Request: All documents relating to the replacement schedule in effect between Jan. 1, 2006 and Jan. 1, 2016, for the replacement of the watermain on Old Burnhamthorpe Rd.
Tokens prepared for LDA: ['document', 'relate', 'replacement', 'schedule', 'effect', 'january', 'january', 'replacement', 'watermain', 'burnhamthorpe']
Original Request: Copies of building inspection notes for {} under permit # 16-171247 BLD, HVA, PLB. Record search from Dec. 15, 2016 to July 31, 2017.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'permit', '171247', 'record', 'search', 'december']
Original Request: A copy of ML&S investigative report (Oct. 12, 2017) into paint incident on the driveway of {}.
Tokens prepared for LDA: ['investigative', 'report', 'october', 'paint', 'incident', 'driveway']
Original Request: Copies of Toronto Water notes concerning {.} as they relate to ref. # 4876410.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'concern', 'relate', '4876410']
Original Request: City of Toronto unclaimed cheques drawn between Jan. 1, 2015 and Dec. 31, 2015, and still outstanding by July 1, 2017. Include cheque number, cheque date, amount, beneficiary name.
Tokens prepared for LDA: ['toronto', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'include', 'cheque', 'cheque', 'beneficiary']
Original Request: City of Toronto unclaimed cheques drawn between Jan. 1, 2015 and Dec. 31, 2015, and still outstanding by July 1, 2017. Include cheque number, cheque date, amount, beneficiary name.
Tokens prepared for LDA: ['toronto', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'include', 'cheque', 'cheque', 'beneficiary']
Original Request: Record of the zoning history for {} from Jan. 1, 1988 to Dec. 12, 1991.
Tokens prepared for LDA: ['record', 'history', 'january', 'december']
Original Request: Record of all e-mails and written correspondence between Rob Laidlaw, Executive Director of Zoocheck Inc., and City or Toronto Zoo staff regarding the amendments to the prohibited animals bylaw. Record search from 2016 to present.
Tokens prepared for LDA: ['record', 'write', 'correspondence', 'laidlaw', 'executive', 'director', 'zoocheck', 'toronto', 'staff', 'regard', 'amendment', 'prohibit', 'animal', 'bylaw', 'record', 'search', 'present']
Original Request: A copy of order issued against {.} following investigation by Toronto Building Division under file number 15 161390 000 00 BR.
Tokens prepared for LDA: ['order', 'issue', 'follow', 'investigation', 'toronto', 'building', 'division', '161390']
Original Request: A complete copy of Urban Forestry file for {.} in relation to the health and removal of a tree from the property.
Tokens prepared for LDA: ['complete', 'urban', 'forestry', 'relation', 'health', 'removal', 'property']
Original Request: Any and all documents including communications to or from the Mayor's office regarding the School Resource Officer Program. Record search from Jan. 1, 2016 to Oct. 18, 2017.
Tokens prepared for LDA: ['document', 'include', 'communication', 'mayor', 'office', 'regard', 'school', 'resource', 'officer', 'program', 'record', 'search', 'january', 'october']
Original Request: Any and all documents including communications to or from the Mayor's office regarding the School Resource Officer Program. Record search from Jan. 1, 2016 to Oct. 18, 2017.
Tokens prepared for LDA: ['document', 'include', 'communication', 'mayor', 'office', 'regard', 'school', 'resource', 'officer', 'program', 'record', 'search', 'january', 'october']
Original Request: Reports indicating the following: Q4 approved and actual staffing complements (broken down by division, as normally reported in Operating Variance reports) for 2010 and 2011; and approved gapping rates (broken down by division) for 2010 to 2012.
Tokens prepared for LDA: ['report', 'indicate', 'follow', 'approve', 'actual', 'staff', 'complement', 'break', 'division', 'normally', 'report', 'operate', 'variance', 'report', 'approve', 'gap', 'break', 'division']
Original Request: A copy of forestry inspection report for {} in relation to the health of the existing tree on the property and instances of fallen limbs which damaged neighboring properties. Record search from Oct. 15, 2017 to present.
Tokens prepared for LDA: ['forestry', 'inspection', 'report', 'relation', 'health', 'exist', 'property', 'instance', 'damage', 'neighbor', 'property', 'record', 'search', 'october', 'present']
Original Request: A copy of ML&S inspection report for {.}; inspected by Tiffen Williams.
Tokens prepared for LDA: ['inspection', 'report', 'inspect', 'tiffen', 'williams']
Original Request: A copy of Designated Substance Survey for {} and application for demolition permit.
Tokens prepared for LDA: ['designate', 'substance', 'survey', 'application', 'demolition', 'permit']
Original Request: All work order issued by Toronto Building to {}. Record search from Jan. 1, 1970 to present.
Tokens prepared for LDA: ['order', 'issue', 'toronto', 'building', 'record', 'search', 'january', 'present']
Original Request: A copy of complaint filed (including the identity of the complainant) with Parking Enforcement with regards to cars parked on Kingsmere Rd., over the 3 hour limit. Record search Oct. 16, 2017.
Tokens prepared for LDA: ['complaint', 'include', 'identity', 'complainant', 'parking', 'enforcement', 'regard', 'kingsmere', 'limit', 'record', 'search', 'october']
Original Request: A copy of inspection report in relation to water backup in basement at {.} on Oct. 19, 2017; 311 Ref. # 4910574.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'water', 'backup', 'basement', 'october', '4910574']
Original Request: Copies of notes and inspection records with regards to notice violation issued to {}. Record search from Aug. 1, 2017 to Oct. 17, 2017.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'regard', 'notice', 'violation', 'issue', 'record', 'search', 'august', 'october']
Original Request: Copies of all violation notices and orders to comply issued to any tenant of {}. Record search from Oct. 1, 2014 to May 31 2015.
Tokens prepared for LDA: ['copy', 'violation', 'notice', 'order', 'comply', 'issue', 'tenant', 'record', 'search', 'october']
Original Request: Record of the zoning history for {} including, correspondence related to 2007 270375 ZPU 00ZR and 2013 233040 ZZU 00ZR. Record search from Jan. 1, 2002 to Sep. 30, 2017.
Tokens prepared for LDA: ['record', 'history', 'include', 'correspondence', 'relate', '270375', '233040', 'record', 'search', 'january', 'september']
Original Request: All building inspection records for {.} from 2010 to present.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'present']
Original Request: A copy of TTC policy on the non-permittance of rear entry accessible vans, outfitted with legal conversions to deliver wheel-chair accessibility services under contract to WheelTrans or for brokerages.
Tokens prepared for LDA: ['policy', 'permittance', 'entry', 'accessible', 'outfit', 'legal', 'conversion', 'deliver', 'wheel', 'chair', 'accessibility', 'service', 'contract', 'wheeltrans', 'brokerage']
Original Request: Complete copies of files relating to {} from ML&S, Toronto Fire Services and 311. Record search from Sep. 1, 2017 to present.
Tokens prepared for LDA: ['complete', 'relate', 'toronto', 'services', 'record', 'search', 'september', 'present']
Original Request: A complete copy of Toronto Fire file for {} including correspondence between Fire Services and Westdale Construction Co. Ltd. (also known as Westdale Properties), drawings, plans etc. Specifically, any information pertaining to the two etc.
Tokens prepared for LDA: ['complete', 'toronto', 'include', 'correspondence', 'services', 'westdale', 'construction', 'westdale', 'property', 'drawing', 'specifically', 'information', 'pertain']
Original Request: All property standards investigative records regarding {} including those concerning animal control.
Tokens prepared for LDA: ['property', 'standard', 'investigative', 'record', 'regard', 'include', 'concern', 'animal', 'control']
Original Request: A copy of the brokerage lists of taxi plates in Toronto, same as, list submitted by Beck of all taxis in the brokerage in order to renew the brokerage license. The requested list should be the most current annual list from each licensed brokerage etc.
Tokens prepared for LDA: ['brokerage', 'plate', 'toronto', 'submit', 'brokerage', 'order', 'renew', 'brokerage', 'license', 'request', 'current', 'annual', 'license', 'brokerage']
Original Request: A copy of designate mailing request form submitted to Toronto Water by {} in relation to {}.
Tokens prepared for LDA: ['designate', 'request', 'submit', 'toronto', 'water', 'relation']
Original Request: A copy of fence inspection report for {} completed by Alistair Thomas of ML&S.
Tokens prepared for LDA: ['fence', 'inspection', 'report', 'complete', 'alistair', 'thomas', 'ml&s.']
Original Request: Copies of any supporting document which justifies proposal to repair balcony slab surfaces and replace all guards (80) at {.}, under permit #17 103139 BLD 00 BA. Record search from Feb. 28, 2017 to Oct. 18, 2017.
Tokens prepared for LDA: ['copy', 'support', 'document', 'justify', 'proposal', 'repair', 'balcony', 'surface', 'replace', 'guard', 'permit', '103139', 'record', 'search', 'february', 'october']
Original Request: Following slip and fall incident involving {} at Amos Waites Park, the following is requested: 1 Any incident reports that were generated as a result of this incident; 2. Any video surveillance of Amos Waites Park from the date etc.
Tokens prepared for LDA: ['following', 'incident', 'involve', 'waite', 'follow', 'request', 'incident', 'report', 'generate', 'result', 'incident', 'video', 'surveillance', 'waite']
Original Request: All inspection reports and note related to {}. Record search from Jun. 1, 2015 to Sep. 1, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'record', 'search', 'september']
Original Request: All records related to {} under permit #98 018126 BLD BA including letters issued by the City to the property owner.
Tokens prepared for LDA: ['record', 'relate', 'permit', '018126', 'include', 'letter', 'issue', 'property', 'owner']
Original Request: A copy of police report for case #2017 1921623.
Tokens prepared for LDA: ['police', 'report', '1921623']
Original Request: A copy of police report for case #17 1893647.
Tokens prepared for LDA: ['police', 'report', '1893647']
Original Request: Record of all permits issued to {}. Record search from Jan. 1, 1920 to present.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'record', 'search', 'january', 'present']
Original Request: Record of all lead pipe and other watermain replacements for Crescent Rd., including, the date of replacement for City's line supplying {}.
Tokens prepared for LDA: ['record', 'watermain', 'replacement', 'crescent', 'include', 'replacement', 'supply']
Original Request: A copy of 2016 ambulance investigative report following the transportation and subsequent death of heart attack victim {} from his home at {.} on Oct. 11, 2014.
Tokens prepared for LDA: ['ambulance', 'investigative', 'report', 'follow', 'transportation', 'subsequent', 'death', 'heart', 'attack', 'victim', 'october']
Original Request: Copies of all documents regarding repairs to broken sewer duct and water leak at {} during Oct. 2013.
Tokens prepared for LDA: ['copy', 'document', 'regard', 'repair', 'break', 'sewer', 'water', 'october']
Original Request: All building inspectors written records or notes related to {} in general and related to the builder John Cedric and Earthlinks Construction.
Tokens prepared for LDA: ['build', 'inspector', 'write', 'record', 'relate', 'general', 'relate', 'builder', 'cedric', 'earthlinks', 'construction']
Original Request: Records on a dog bite incident on Sept. 30 and Oct. 1, 2017 at {}.
Tokens prepared for LDA: ['record', 'incident', 'september', 'october']
Original Request: A copy of public health inspection for Bodybrite at 1128 Eglinton Ave. W. Record search from Jan. 1, 2014 to Oct. 1, 2017, as well as from from Oct. 11 to Oct. 24, 2017.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'bodybrite', 'eglinton', 'record', 'search', 'january', 'october', 'october', 'october']
Original Request: All notes on file and any other information relating to {} under folder # RSN 4253576. Prelim Project Review # 17 239400 ZPR 00ZR. Record of any complaints including the identity of the complainant.
Tokens prepared for LDA: ['information', 'relate', 'folder', '4253576', 'prelim', 'project', 'review', '239400', 'record', 'complaint', 'include', 'identity', 'complainant']
Original Request: All project details and contracts for the following project: 'TOR 108EMP Road to Employment'. This project was funded through the Housing Support Services initially commencing in 2014, and renewed for the term April 1, 2016 to March 31, 2017.
Tokens prepared for LDA: ['project', 'contract', 'follow', 'project', '108emp', 'employment', 'project', 'housing', 'support', 'services', 'initially', 'commence', 'renew', 'april', 'march']
Original Request: A copy of report showing the current on-street parking permits issued on Logan Avenue between Ainsworth road and Browning Avenue. From about 950 Logan Avenue to 1024 Logan Avenue. This report shows property address of permit and issue date.
Tokens prepared for LDA: ['report', 'current', 'street', 'permit', 'issue', 'logan', 'avenue', 'ainsworth', 'browning', 'avenue', 'logan', 'avenue', 'logan', 'avenue', 'report', 'property', 'address', 'permit', 'issue']
Original Request: A complete copy of all investigative notes and complaints relating to dog incident on Oct. 25, 2017 & Oct. 12, 2017 at the Jimmy Simpson Park. Dog is owned by {} of {.}; assigned officer Donna Tulok #6.
Tokens prepared for LDA: ['complete', 'investigative', 'complaint', 'relate', 'incident', 'october', 'october', 'jimmy', 'simpson', 'assign', 'officer', 'donna', 'tulok']
Original Request: Record of any 311 requests {}. Record search from Jan. 1, 2012 to Oct. 26, 2017.
Tokens prepared for LDA: ['record', 'request', 'record', 'search', 'january', 'october']
Original Request: A complete copy of building file for {}. Record search from Jan. 1, 1955 to Jan. 11, 2017.
Tokens prepared for LDA: ['complete', 'build', 'record', 'search', 'january', 'january']
Original Request: In raw log format or CSV: a detailed report of TTC and Metrolinx payment terminals and their individual connection/downtime/reliability logs and such. Data should be retrieved from payment terminals such as those found on the new Spadina streetcars etc.
Tokens prepared for LDA: ['format', 'report', 'metrolinx', 'payment', 'terminal', 'individual', 'connection', 'downtime', 'reliability', 'retrieve', 'payment', 'terminal', 'spadina', 'streetcar']
Original Request: A copy of the City report for 311 complaint # 4907626 that relates to neighbour's fir tree on angle. Report done by Urban Forestry. Record search from Oct. 18 to Oct. 25, 2017.
Tokens prepared for LDA: ['report', 'complaint', '4907626', 'relate', 'neighbour', 'angle', 'report', 'urban', 'forestry', 'record', 'search', 'october', 'october']
Original Request: A copy of correspondence from Toronto Fire Services approving existing basement exiting configuration under Ontario Fire Code Retrofit for {}. Record search from Sept. to Dec. 1997.
Tokens prepared for LDA: ['correspondence', 'toronto', 'services', 'approve', 'exist', 'basement', 'configuration', 'ontario', 'retrofit', 'record', 'search', 'september', 'december']
Original Request: A copy of report relating to sewage back up issue on Oct. 17, 2017 at {}, Toronto. Reference # 4905586.
Tokens prepared for LDA: ['report', 'relate', 'sewage', 'issue', 'october', 'toronto', 'reference', '4905586']
Original Request: A copy of the party wall agreement for {}, The party wall was in conjunction with work being done at {.}. Record search Dec. 2016 to April 30, 2017
Tokens prepared for LDA: ['party', 'agreement', 'party', 'conjunction', 'record', 'search', 'december', 'april']
Original Request: A copy of original order issued to {} under investigation # 17 129534 PRS 00 IV.
Tokens prepared for LDA: ['original', 'order', 'issue', 'investigation', '129534']
Original Request: Copies of all records relating to work order 1617624 following sewage back up in the basement of {} on Oct. 26, 2017.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'order', '1617624', 'follow', 'sewage', 'basement', 'october']
Original Request: Record of a current database schema for all production databases used by 311 for submitting, tracking and accessing user 311 service requests. For example, the database used by the application that 311 staff use to enter service requests etc.
Tokens prepared for LDA: ['record', 'current', 'database', 'schema', 'production', 'database', 'submit', 'track', 'access', 'service', 'request', 'example', 'database', 'application', 'staff', 'enter', 'service', 'request']
Original Request: A copy of the current version of any manuals, onboarding resources, training material, template responses and knowledge bases used by 311 staff to deliver 311 services to the public.
Tokens prepared for LDA: ['current', 'version', 'manual', 'onboarding', 'resource', 'train', 'material', 'template', 'response', 'knowledge', 'basis', 'staff', 'deliver', 'service', 'public']
Original Request: Record of any complaints against Campbell House Museum - 160 Queen St. W., during the period Sep. 7-17, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'campbell', 'house', 'museum', 'queen', 'period', 'september']
Original Request: A complete copy of investigative file related to TAS ref.# A17-041100 including any fines issued to {} for having dog off leash or at large. Record search from Sept. 4 to Oct. 21, 2017.
Tokens prepared for LDA: ['complete', 'investigative', 'relate', '041100', 'include', 'issue', 'leash', 'large', 'record', 'search', 'september', 'october']
Original Request: A complete copy of registration records for {} while enrolled in swimming programs at Annette Community Recreation Centre located at 33 Annette St. and York Community Centre at 115 Black Creek Dr.
Tokens prepared for LDA: ['complete', 'registration', 'record', 'enroll', 'program', 'annette', 'community', 'recreation', 'centre', 'locate', 'annette', 'community', 'centre', 'black', 'creek']
Original Request: 1. All documentation with respect to D.I. Bros. Ltd under contract No: 16NV-120TU for the approval of subcontractors and payments made by the City to the aforementioned. 2. Record of all daily inspection log sheets/reports issued by City inspectors etc.
Tokens prepared for LDA: ['documentation', 'respect', 'bros.', 'contract', '16nv-120tu', 'approval', 'subcontractor', 'payment', 'aforementioned', 'record', 'daily', 'inspection', 'sheet', 'report', 'issue', 'inspector']
Original Request: In relation to lands at {} the following record are requested: 1. Conveyance of land or cash-in-lieu thereof, in respect of the Property and/or as it relates to the existing development; 2. Any previous parkland dedication etc.
Tokens prepared for LDA: ['relation', 'follow', 'record', 'request', 'conveyance', 'thereof', 'respect', 'property', 'and/or', 'relate', 'exist', 'development', 'previous', 'parkland', 'dedication']
Original Request: All building permit records, for {} North York from May 2017 to present.
Tokens prepared for LDA: ['build', 'permit', 'record', 'north', 'present']
Original Request: Building permit records for {.} under permit # 91-015705. Record search from 1990 to 2015.
Tokens prepared for LDA: ['building', 'permit', 'record', 'permit', '015705', 'record', 'search']
Original Request: A copy of public health inspection for {} Scarborough from Nov. 1, 2016 to Oct. 30, 2017.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'scarborough', 'november', 'october']
Original Request: Building permit information for {} with payment information for 2016-185888 2PR and 2012 286284 BLD. Record search from 2012 to 2016.
Tokens prepared for LDA: ['building', 'permit', 'information', 'payment', 'information', '185888', '286284', 'record', 'search']
Original Request: Copies of all building and fire records for University of Toronto building at 45 Willcocks St., under permit # 2001-178161.
Tokens prepared for LDA: ['copy', 'build', 'record', 'university', 'toronto', 'build', 'willcocks', 'permit', '178161']
Original Request: Copies of all building permits issued to {} formerly known as {}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'record', 'search', 'possible', 'present']
Original Request: Copies of all building permits issued to {}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'record', 'search', 'possible', 'present']
Original Request: All communication generated in relation to briefing note "158 Sterling Rd. - Blocks 3A/3B"; delivered by Aviva Pelt on Oct. 30, 2017. Record search from Oct. 27, 2017 to Nov. 2 2017.
Tokens prepared for LDA: ['communication', 'generate', 'relation', 'brief', 'sterling', 'block', '3a/3b', 'deliver', 'aviva', 'october', 'record', 'search', 'october', 'november']
Original Request: Record of any complaints made in relation to construction at {} including, the identity of the complainant(s). Record search from Nov. 10, 2016 to present.
Tokens prepared for LDA: ['record', 'complaint', 'relation', 'construction', 'include', 'identity', 'complainant(s', 'record', 'search', 'november', 'present']
Original Request: All records in relation to 311 complaint (ref. # 101004793813) regarding {}.
Tokens prepared for LDA: ['record', 'relation', 'complaint', '101004793813', 'regard']
Original Request: A copy of property standards file for {} under file # 17-105195.
Tokens prepared for LDA: ['property', 'standard', '105195']
Original Request: Records related to the permitting, sampling, and monitoring of food waste digesters used by commercial or industrial facilities. The term food waste digesters also include any pretreatment device that receives food waste, which is processed etc.
Tokens prepared for LDA: ['record', 'relate', 'permit', 'sample', 'monitor', 'waste', 'digester', 'commercial', 'industrial', 'facility', 'waste', 'digester', 'include', 'pretreatment', 'device', 'receive', 'waste', 'process']
Original Request: Record of heat loss calculations submitted with permit application: 12 164193 HVA 00 MS, for building {}.
Tokens prepared for LDA: ['record', 'calculation', 'submit', 'permit', 'application', '164193', 'build']
Original Request: A copy of building permit reports for {.} also known as {}. Record search from Aug. 2016 to present.
Tokens prepared for LDA: ['build', 'permit', 'report', 'record', 'search', 'august', 'present']
Original Request: All building records for {} from Jan. 1, 2016 to present. A complete copy of documents on file, in relation to zoning review application 17 169375 00 ZZC 00 ZR.
Tokens prepared for LDA: ['build', 'record', 'january', 'present', 'complete', 'document', 'relation', 'review', 'application', '169375']
Original Request: A copy of Order to Comply issued in relation to permit # 14 255552 BO7 00 NH for {}, North York.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'relation', 'permit', '255552', 'north']
Original Request: All property standards records for {} from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['property', 'standard', 'record', 'january', 'present']
Original Request: Record of all complaints, investigations and reviews on file for {}. Record search from Nov. 1, 2007 to present.
Tokens prepared for LDA: ['record', 'complaint', 'investigation', 'review', 'record', 'search', 'november', 'present']
Original Request: A copy of building inspection for {} under permit #16 199814.
Tokens prepared for LDA: ['build', 'inspection', 'permit', '199814']
Original Request: A copy of complaints made against {} regarding noise investigation ref. # 101004706339.
Tokens prepared for LDA: ['complaint', 'regard', 'noise', 'investigation', '101004706339']
Original Request: All e-mails between Mayor John Tory and any employee or representative of Amazon.com, Inc. Record search from Jan. 1, 2015 to Nov. 3, 2017.
Tokens prepared for LDA: ['mayor', 'employee', 'representative', 'amazon.com', 'record', 'search', 'january', 'november']
Original Request: All e-mails between Mayor John Tory and any employee or representative of Airbnb. Record search from Jan. 1, 2015 to Nov. 3, 2017.
Tokens prepared for LDA: ['mayor', 'employee', 'representative', 'airbnb', 'record', 'search', 'january', 'november']
Original Request: All e-mails between Mayor John Tory and any employee or representative of Alphabet, including subsidiaries Google and Sidewalk Labs. Record search from Jan. 1, 2015 to Nov. 3, 2017.
Tokens prepared for LDA: ['mayor', 'employee', 'representative', 'alphabet', 'include', 'subsidiary', 'google', 'sidewalk', 'record', 'search', 'january', 'november']
Original Request: All e-mails between Mayor John Tory and any employee or representative of Uber. Record search from Jan. 1, 2015 to Nov. 3, 2017.
Tokens prepared for LDA: ['mayor', 'employee', 'representative', 'record', 'search', 'january', 'november']
Original Request: Copies of all complaints filed with Toronto Building and ML&S in relation to {} from Aug. 2014 to present.
Tokens prepared for LDA: ['copy', 'complaint', 'toronto', 'building', 'relation', 'august', 'present']
Original Request: A detailed listing of the classification schemes i.e. ('organisational' model or view, and the 'service' model or view) which are utilized by the City of Toronto for its 13 thousand or so active cost centres (as provided to us in FOI Number 2016-02973).
Tokens prepared for LDA: ['classification', 'scheme', 'organisational', 'model', 'service', 'model', 'utilize', 'toronto', 'thousand', 'active', 'centre', 'provide', 'number', '02973']
Original Request: Record of the time and date of a request for Property Information Report (PIR) in relation to {}. Identification of the individual who made and paid for the request including payment detail.
Tokens prepared for LDA: ['record', 'request', 'property', 'information', 'report', 'relation', 'identification', 'individual', 'request', 'include', 'payment']
Original Request: Record of any existing orders, deficiencies or investigations regarding {} with respect to property standard issues. Any StreetARToronto (StART) projects or any related outstanding requirements for the aforementioned.
Tokens prepared for LDA: ['record', 'exist', 'order', 'deficiency', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'streetartoronto', 'start', 'project', 'relate', 'outstanding', 'requirement', 'aforementioned']
Original Request: Record of any, permits or orders issued to {} in relation to the erection or removal of a patio. Any complaints received regarding the sidewalk or patio at the aforementioned address.
Tokens prepared for LDA: ['record', 'permit', 'order', 'issue', 'relation', 'erection', 'removal', 'patio', 'complaint', 'receive', 'regard', 'sidewalk', 'patio', 'aforementioned', 'address']
Original Request: Record of the address information for taxi operator {} taxi license # D01-3474806.
Tokens prepared for LDA: ['record', 'address', 'information', 'operator', 'license', '3474806']
Original Request: Copies of reports and e-mails from building staff namely, Mario Angelucci, Tony D'Amico etc., in relation to report from Haddad Engineering Geotechnical in Feb. 2017 regarding {}. Record search from Oct. 10, 2016 to Oct. 30, 2017.
Tokens prepared for LDA: ['copy', 'report', 'build', 'staff', 'mario', 'angelucci', "d'amico", 'relation', 'report', 'haddad', 'engineering', 'geotechnical', 'february', 'regard', 'record', 'search', 'october', 'october']
Original Request: A copy of health inspection report dated Aug. 2017 regarding basement apartment at {}.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'august', 'regard', 'basement', 'apartment']
Original Request: A copy of ML&S investigative file for {} under file#17-244657 PRS 0 IV, including any orders issued. Order issued by Toronto Fire in relation to fire doors at the aforementioned address.
Tokens prepared for LDA: ['investigative', 'file#17', '244657', 'include', 'order', 'issue', 'order', 'issue', 'toronto', 'relation', 'aforementioned', 'address']
Original Request: A copy of sidewalk inspection report for along the west side of Yonge St. between Adelaide St. and King St. W, including 110 Yonge St. Record search from Jan. 1, 2015 to Nov. 6, 2017.
Tokens prepared for LDA: ['sidewalk', 'inspection', 'report', 'yonge', 'adelaide', 'include', 'yonge', 'record', 'search', 'january', 'november']
Original Request: A list of all residential properties in Toronto that have been deemed unsafe for occupancy; found to be vacant, abandon and/or derelict. Record search from Jan. 1, 2016 to Jun. 11, 2017.
Tokens prepared for LDA: ['residential', 'property', 'toronto', 'unsafe', 'occupancy', 'vacant', 'abandon', 'and/or', 'derelict', 'record', 'search', 'january']
Original Request: A list of all Toronto residential properties in which the City standards have not been met in relation to long grass, weeds and/or excess garbage on the property. Record search from Jan. 1, 2016 to Nov. 1, 2016.
Tokens prepared for LDA: ['toronto', 'residential', 'property', 'standard', 'relation', 'grass', 'and/or', 'excess', 'garbage', 'property', 'record', 'search', 'january', 'november']
Original Request: Copies of investigations/complaints against the owner of {}. # 15 263574 ZON 00 IR, # 16 138040 NOI 00 IR, 16 148365 WST 00 IR. Record search from Feb. 1, 2005 to Nov. 8, 2017.
Tokens prepared for LDA: ['copy', 'investigation', 'complaint', 'owner', '263574', '138040', '148365', 'record', 'search', 'february', 'november']
Original Request: A copy of incident report and video footage concerning {} on July 16, 2017 in the parking garage of Toronto City Hall; while assisting an exhibitor for the Toronto Outdoor Art Exhibition. This incident also involved Beck Taxi # 4100 etc.
Tokens prepared for LDA: ['incident', 'report', 'video', 'footage', 'concern', 'garage', 'toronto', 'assist', 'exhibitor', 'toronto', 'outdoor', 'exhibition', 'incident', 'involve']
Original Request: Record of all complaints received from residents of {.} concerning residential demolition application.
Tokens prepared for LDA: ['record', 'complaint', 'receive', 'resident', 'concern', 'residential', 'demolition', 'application']
Original Request: A copy of ML&S investigative records for {}, owned by {names removed}.
Tokens prepared for LDA: ['investigative', 'record', 'removed}.']
Original Request: All fire services records regarding {.} from Aug. 12, 2013 to present, including those which court documents (post filing) and any follow up to NOV dated Mar. 13, 2013. All records related to pool/patio gate inspections at the aforemention
Tokens prepared for LDA: ['service', 'record', 'regard', 'august', 'present', 'include', 'court', 'document', 'follow', 'march', 'record', 'relate', 'patio', 'inspection', 'aforemention']
Original Request: All fire services records regarding {.} from Aug. 12, 2013 to present, including those which court documents (post filing) and any follow up to NOV dated Mar. 13, 2013. All records related to pool/patio gate inspections at the aforemention
Tokens prepared for LDA: ['service', 'record', 'regard', 'august', 'present', 'include', 'court', 'document', 'follow', 'march', 'record', 'relate', 'patio', 'inspection', 'aforemention']
Original Request: With respect to "Consolidated Clause in TEY Community Council Report which was considered on Sep. 25, 26 & 27, 2006", all documents, research & background notes pertaining to: - an inventory of existing live/work buildings in Liberty Village etc.
Tokens prepared for LDA: ['respect', 'consolidate', 'clause', 'community', 'council', 'report', 'consider', 'september', 'document', 'research', 'background', 'pertain', 'inventory', 'exist', 'building', 'liberty', 'village']
Original Request: Any non-compliance related reports or inspections for {}. Record search from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['compliance', 'relate', 'report', 'inspection', 'record', 'search', 'january', 'present']
Original Request: A copy of tree inspection report in relation to Silver Maple tree fronting property at {}. Record search from Jan. 1, 2015 to Nov. 1, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'silver', 'maple', 'property', 'record', 'search', 'january', 'november']
Original Request: All communication relating to the reduction of the size of the area of mixed-use residential and/or affordable housing areas for planned Toronto Port Lands development. Record search from Apr. 1, 2016 to present.
Tokens prepared for LDA: ['communication', 'relate', 'reduction', 'residential', 'and/or', 'affordable', 'house', 'toronto', 'land', 'development', 'record', 'search', 'april', 'present']
Original Request: A copy of ML&S 2015 report (15-113-628) in relation to {}.
Tokens prepared for LDA: ['report', 'relation']
Original Request: Record of any complaints received in relation to the condition and/or maintenance trees on the property of {}. Record search from Jan. 2013 to present.
Tokens prepared for LDA: ['record', 'complaint', 'receive', 'relation', 'condition', 'and/or', 'maintenance', 'property', 'record', 'search', 'january', 'present']
Original Request: A copy of inspection report relating to water drainage issues at {}, inspection performed on Oct. 1, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'water', 'drainage', 'issue', 'inspection', 'perform', 'october']
Original Request: A copy of inspection report relating to water drainage issues at {}, inspection performed on Oct. 1, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'water', 'drainage', 'issue', 'inspection', 'perform', 'october']
Original Request: Record of all complaints received in relation to {} from as far back as possible to present.
Tokens prepared for LDA: ['record', 'complaint', 'receive', 'relation', 'possible', 'present']
Original Request: All records relating to zoning review application # 17 148921 ZZC 00 ZR for {}.
Tokens prepared for LDA: ['record', 'relate', 'review', 'application', '148921']
Original Request: A copy of CCTV camera footage of the intersection of Bay St., and Wellington St. W.; following a motor vehicle collisions which occurred on Mar. 20, 2016 at 3:03 a.m.
Tokens prepared for LDA: ['camera', 'footage', 'intersection', 'wellington', 'follow', 'motor', 'vehicle', 'collision', 'occur', 'march']
Original Request: Record of upgrades to waterline supplying Hopewell Ave, specifically {}, and also information on how much water is flowing into the property from city pipes.
Tokens prepared for LDA: ['record', 'upgrade', 'waterline', 'supply', 'hopewell', 'specifically', 'information', 'water', 'property']
Original Request: Further to the documents that were received in response to Access Request No. 2017-01201 the following is requested (including but not limited to e-mails, letters, memoranda, notes, etc.): 1.The "summary letter" regarding the three bids for Tender etc.
Tokens prepared for LDA: ['document', 'receive', 'response', 'access', 'request', '01201', 'follow', 'request', 'include', 'limit', 'letter', 'memorandum', '1.the', 'summary', 'letter', 'regard', 'tender']
Original Request: All written communications between the City of Toronto and any potential candidates for elected office between July 1 2017 and November 15 2017 concerning any warnings or the raising of concerns about violations or potential violations of election rules.
Tokens prepared for LDA: ['write', 'communication', 'toronto', 'potential', 'candidate', 'elect', 'office', 'november', 'concern', 'warning', 'raise', 'concern', 'violation', 'potential', 'violation', 'election']
Original Request: This is a follow up request of 2017-01925. Wage schedules for Local 79 (full-time, part-time) for 2005-2011 and firefighters for 2005-2019. Average annual wages and benefits data to be rerun for Local 79 (full-time and part-time Unit B separately;
Tokens prepared for LDA: ['follow', 'request', '01925', 'schedule', 'local', 'firefighter', 'average', 'annual', 'benefit', 'datum', 'rerun', 'local', 'separately']
Original Request: Any written agreements, including development agreements, leases and renovation agreements, between the City and the ownership group in charge of the MLS Club Toronto FC.
Tokens prepared for LDA: ['write', 'agreement', 'include', 'development', 'agreement', 'lease', 'renovation', 'agreement', 'ownership', 'group', 'charge', 'toronto']
Original Request: Records of complaint filed against {} for retail signage.
Tokens prepared for LDA: ['record', 'complaint', 'retail', 'signage']
Original Request: Records of complaint filed against {} for retail signage.
Tokens prepared for LDA: ['record', 'complaint', 'retail', 'signage']
Original Request: A copy of City record regarding {} which supports an e-mail dated August 8, 2017 from Scott Neunie of Parking Permits in which he stated: "According to our records and a recent street survey, there appears to be 2 parking spaces available on you property.
Tokens prepared for LDA: ['record', 'regard', 'support', 'august', 'scott', 'neunie', 'parking', 'permit', 'state', 'accord', 'record', 'recent', 'street', 'survey', 'appear', 'space', 'available', 'property']
Original Request: All records regarding of oil spill clean-up (specifically, documentation of the date of the spill and any invoices etc. provided confirming clean-up) at Playa Cabana Cantina - 2883 Dundas Street W. Spill occurred on Oct. 10, 2015.
Tokens prepared for LDA: ['record', 'regard', 'spill', 'clean', 'specifically', 'documentation', 'spill', 'invoice', 'provide', 'confirm', 'clean', 'playa', 'cabana', 'cantina', 'dundas', 'street', 'spill', 'occur', 'october']
Original Request: Copies of all complaints made against {} regarding fence exemption for the property including, the name of the complainant. Record search Jan. 1, 2015 to Nov. 14, 2017.
Tokens prepared for LDA: ['copy', 'complaint', 'regard', 'fence', 'exemption', 'property', 'include', 'complainant', 'record', 'search', 'january', 'november']
Original Request: Copies of all "alternative solution" documents for {} under file #16 249906.
Tokens prepared for LDA: ['copy', 'alternative', 'solution', 'document', '249906']
Original Request: All e-mails between listed City staff, internal notes, comments for City Planning file # 16 254656 WET 03 OZ for {} from day 1 to present.
Tokens prepared for LDA: ['staff', 'internal', 'comment', 'planning', '254656', 'present']
Original Request: Copies of all building inspection records, notes and photographs relating to {}. Record search from Jan. 1, 2014 to Dec. 31, 2014.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'record', 'photograph', 'relate', 'record', 'search', 'january', 'december']
Original Request: Copies of all building documents for {} specifically, those related to zoning, approvals, denials and inspections. Record search from Jan. 1, 1944 to Dec. 31, 2015.
Tokens prepared for LDA: ['copy', 'build', 'document', 'specifically', 'relate', 'approval', 'denial', 'inspection', 'record', 'search', 'january', 'december']
Original Request: Copies of all building permit application documents for {}. Record search from Jan. 1, 2004 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'document', 'record', 'search', 'january', 'present']
Original Request: All building inspection reports for {.} from 2015 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'present']
Original Request: Copies of photos and inspection reports for {} following ML&S investigation in July 2017.
Tokens prepared for LDA: ['copy', 'photo', 'inspection', 'report', 'follow', 'investigation']
Original Request: A copy of video footage of bike rack at the rear entrance to City Hall on October 24, 2017 between 12:00 noon to 6:45 p.m. Video capture should show the removal of a black e-bike (resembles a heavy duty mountain bike). Physical details etc.
Tokens prepared for LDA: ['video', 'footage', 'entrance', 'october', '12:00', 'video', 'capture', 'removal', 'black', 'resemble', 'heavy', 'mountain', 'physical']
Original Request: A complete copy of building file for {.} under permit # 15 200391 BLD 00 BA. Record search from Aug. 1, 2015 to present.
Tokens prepared for LDA: ['complete', 'build', 'permit', '200391', 'record', 'search', 'august', 'present']
Original Request: Copies of all records relating to the construction project at {} including, all engineering reports soil, structural etc. (including those from Oct. and Nov. 2017).
Tokens prepared for LDA: ['copy', 'record', 'relate', 'construction', 'project', 'include', 'engineer', 'report', 'structural', 'include', 'october', 'november']
Original Request: Copies of all constructions related inspection report for {.} from 2013 to present.
Tokens prepared for LDA: ['copy', 'construction', 'relate', 'inspection', 'report', 'present']
Original Request: Copies of all fire safety reports for {} from Jul. 1, 2017 to present; as well as, building permit applications and permits since 2001.
Tokens prepared for LDA: ['copy', 'safety', 'report', 'present', 'build', 'permit', 'application', 'permit']
Original Request: Copies of all fire safety reports for {} from 2001 to present.
Tokens prepared for LDA: ['copy', 'safety', 'report', 'present']
Original Request: Copies of all fire safety reports for {} from 2001 to present.
Tokens prepared for LDA: ['copy', 'safety', 'report', 'present']
Original Request: All zoning information for {.} including all 'permitted use' documents. Record search from as far back as possible to present.
Tokens prepared for LDA: ['information', 'include', 'permit', 'document', 'record', 'search', 'possible', 'present']
Original Request: All zoning information for {} including all 'permitted use' documents. Record search from as far back as possible to present.
Tokens prepared for LDA: ['information', 'include', 'permit', 'document', 'record', 'search', 'possible', 'present']
Original Request: Record of all cost evaluative analyses (cost-benefit analysis undertaken, risk analysis etc.) completed for the building of the Toronto Pan Am Sports Centre.
Tokens prepared for LDA: ['record', 'evaluative', 'analysis', 'benefit', 'analysis', 'undertake', 'analysis', 'complete', 'build', 'toronto', 'sport', 'centre']
Original Request: Copies of all building permits issued to {}, occupancy dates as well as fees paid by {}. Record search from Jan. 1, 2010 to Dec. 12, 2012.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'occupancy', 'record', 'search', 'january', 'december']
Original Request: Copies of all building permits issued to {}, occupancy dates as well as fees paid by {}. Record search from Jan. 1, 2010 to Dec. 12, 2012.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'occupancy', 'record', 'search', 'january', 'december']
Original Request: All invoices for payments made by Toronto Zoo or on their behalf to Canada's Accredited Zoos and Aquariums (CAZA) formerly known as Canada's Association of Zoos and Aquariums. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['invoice', 'payment', 'toronto', 'behalf', 'canada', 'accredit', 'aquarium', 'canada', 'association', 'aquarium', 'record', 'search', 'january', 'present']
Original Request: A copy of fire inspection report for {}.
Tokens prepared for LDA: ['inspection', 'report']
Original Request: Complete investigative file from Jason McLennan, ML&S Officer, for {.} including, but not limited to: any photographs, notes taken during the investigation; a list of dates and times at which the offcer investigated {.}.
Tokens prepared for LDA: ['complete', 'investigative', 'jason', 'mclennan', 'officer', 'include', 'limit', 'photograph', 'investigation', 'offcer', 'investigate']
Original Request: Application submission date, payment amount,payment date for permit # 11-2828891 BLD 00 BA for {}.
Tokens prepared for LDA: ['application', 'submission', 'payment', 'payment', 'permit', '2828891']
Original Request: Any and all calls/complaints made to both 311 and Toronto parking enforcement reporting parking and construction infractions against or behind (in laneway) of {}. Record search from Sept. 1, 2014 to Nov. 14, 2017.
Tokens prepared for LDA: ['complaint', 'toronto', 'enforcement', 'report', 'construction', 'infraction', 'laneway', 'record', 'search', 'september', 'november']
Original Request: Any information relating to a fire in 1979 and relating inspectors' notes from Building and Fire Services; any permits issued up to and including 1985 for {}; any notes or files or fines from ML&S after 2006. Record search from 1979 to 20
Tokens prepared for LDA: ['information', 'relate', 'relate', 'inspector', 'building', 'services', 'permit', 'issue', 'include', 'record', 'search']
Original Request: 1) The number of licences issued for body rub parlours during the 2006-2017 period, with a breakdown of how many parlours were licensed each year 2) The number of registered body rubbers licensed during the 2006-2017 period, with a breakdown.
Tokens prepared for LDA: ['licence', 'issue', 'parlour', 'period', 'breakdown', 'parlour', 'license', 'register', 'rubber', 'license', 'period', 'breakdown']
Original Request: Bylaw Enforcement: 1. How many bylaw officers are responsible for carrying out inspections by the licensing enforcement team? 2. At what kind of business would a licensing enforcement team carry out an inspection ?
Tokens prepared for LDA: ['bylaw', 'enforcement', 'bylaw', 'officer', 'responsible', 'carry', 'inspection', 'license', 'enforcement', 'business', 'license', 'enforcement', 'carry', 'inspection']
Original Request: Briefing Note written in response to an article by Liz Braun April 23, 2017. Keerthana Kamalavasan, Don Peat; Daniela Magisano; Matt Buckman and Kevin Moraes corresponded about it. Record search from April 24, 2017 to May 10, 2017
Tokens prepared for LDA: ['briefing', 'write', 'response', 'article', 'braun', 'april', 'keerthana', 'kamalavasan', 'daniela', 'magisano', 'buckman', 'kevin', 'moraes', 'correspond', 'record', 'search', 'april']
Original Request: Written confirmation of water shutoff and meter removal as well as any record for whatever work that had been completed within the last year) for {}.
Tokens prepared for LDA: ['write', 'confirmation', 'water', 'shutoff', 'meter', 'removal', 'record', 'complete']
Original Request: Written confirmation of water shutoff and meter removal as well as any record for whatever work that had been completed within the last year) for {}.
Tokens prepared for LDA: ['write', 'confirmation', 'water', 'shutoff', 'meter', 'removal', 'record', 'complete']
Original Request: Name and address of person who made complaint to 311 for folder # 17-253805 lGW 00 IR, Grass and Weed advisory that related to {.}
Tokens prepared for LDA: ['address', 'person', 'complaint', 'folder', '253805', 'grass', 'advisory', 'relate']
Original Request: All records relating to sidewalk maintenance, inspection and construction that took place along the sidewalk on Birmingham St. from Jan. 1, 2015 to date.. All 311 calls, injury notices and other complaints received by City from Jan. 1, 2015 to date.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'maintenance', 'inspection', 'construction', 'place', 'sidewalk', 'birmingham', 'january', 'injury', 'notice', 'complaint', 'receive', 'january']
Original Request: A copy of the 1) final traffic study report; 2) traffic data collected for the study (Excel, csv, etc); 3) baseline data used for comparison pertaining to a traffic study recently conducted to justify adding traffic restrictions to Barton Ave.
Tokens prepared for LDA: ['final', 'traffic', 'study', 'report', 'traffic', 'datum', 'collect', 'study', 'excel', 'baseline', 'datum', 'comparison', 'pertain', 'traffic', 'study', 'recently', 'conduct', 'justify', 'traffic', 'restriction', 'barton']
Original Request: In relation to {}, any information on fire inspection notices, fire prevention inspection notices and related correspondence with property owners/occupants/agents/representatives or any other related notices from Toronto Fire Services
Tokens prepared for LDA: ['relation', 'information', 'inspection', 'notice', 'prevention', 'inspection', 'notice', 'relate', 'correspondence', 'property', 'owner', 'occupant', 'agent', 'representative', 'relate', 'notice', 'toronto', 'services']
Original Request: All information relating to the Public Health order no. 120278 dated Oct 4, 2016. The Public Health officer was Tino Serapialia.
Tokens prepared for LDA: ['information', 'relate', 'public', 'health', 'order', '120278', 'public', 'health', 'officer', 'serapialia']
Original Request: 1) For each year from 2010-2016 (and 2017 if available), CUPE Local 79 requests a report providing a list of all properties (anonymized as appropriate) for which property tax appeals were filed and providing for each property: Property class CVA
Tokens prepared for LDA: ['available', 'local', 'request', 'report', 'provide', 'property', 'anonymized', 'appropriate', 'property', 'appeal', 'provide', 'property', 'property', 'class']
Original Request: Record of building inspection including date/time; inspectors' reports for {}, in particular job for 2nd floor addition. Record search from April 1, 2017 to Oct. 31, 2017.
Tokens prepared for LDA: ['record', 'build', 'inspection', 'include', 'inspector', 'report', 'particular', 'floor', 'addition', 'record', 'search', 'april', 'october']
Original Request: All complaints made to the City via letter against {}, including dates, complaints, inspectors' notes, resolution. Complaints include garbage issue and tree issues. Record search from Jan1, 2005 to Nov. 6, 2017.
Tokens prepared for LDA: ['complaint', 'letter', 'include', 'complaint', 'inspector', 'resolution', 'complaint', 'include', 'garbage', 'issue', 'issue', 'record', 'search', 'november']
Original Request: A copy of winter maintenance records for sidewalk along 2536 Eglinton Ave. W. - Hair Blessings Salon. Record search for the period Jan. 15-18, 2013.
Tokens prepared for LDA: ['winter', 'maintenance', 'record', 'sidewalk', 'eglinton', 'blessing', 'salon', 'record', 'search', 'period', 'january']
Original Request: Copies of all records (e-mails, reports, memos, backgrounders etc.) related to income, poverty, wage, age, gender or other demographic information prepared for the study/consideration/proposal of the new ward boundaries.
Tokens prepared for LDA: ['copy', 'record', 'report', 'backgrounder', 'relate', 'income', 'poverty', 'gender', 'demographic', 'information', 'prepare', 'study', 'consideration', 'proposal', 'boundary']
Original Request: A copy of designate mailing request form or letter submitted to Revenue Services in relation to {} with regards to ownership changes on the property. Record search from Jun. 26, 2017 to Oct. 11, 2017.
Tokens prepared for LDA: ['designate', 'request', 'letter', 'submit', 'revenue', 'services', 'relation', 'regard', 'ownership', 'change', 'property', 'record', 'search', 'october']
Original Request: Record of the method and procedures utilized by the City of Toronto to determine the levels of Oil & Grease-mineral for water samples collected in the sewer system of Terrapure Environmental Waste Water Treatment facility - 55 Vulcan St.
Tokens prepared for LDA: ['record', 'method', 'procedure', 'utilize', 'toronto', 'determine', 'level', 'grease', 'mineral', 'water', 'sample', 'collect', 'sewer', 'terrapure', 'environmental', 'waste', 'water', 'treatment', 'facility', 'vulcan']
Original Request: A complete copy of Toronto Water records relating to sewer back-up at or near {}, Toronto, from Jan. 1, 1959 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'record', 'relate', 'sewer', 'toronto', 'january', 'present']
Original Request: A copy of final ML&S inspection report for {}. Inspector Michael Moss.
Tokens prepared for LDA: ['final', 'inspection', 'report', 'inspector', 'michael']
Original Request: A complete copy of fire and building files for {}. Record search from Jun. 1, 2010 to Jun. 1, 2015.
Tokens prepared for LDA: ['complete', 'build', 'record', 'search']
Original Request: A copy of final inspection report for permit # 14-265424 BLD 00 for {} North York. Record search from 2014 to 2016
Tokens prepared for LDA: ['final', 'inspection', 'report', 'permit', '265424', 'north', 'record', 'search']
Original Request: For work # CSW 70845707 relating to City's repair work done on a mutual driveway at {}, please provide date when the water box was moved from the sidewalk to a point up the driveway.
Tokens prepared for LDA: ['70845707', 'relate', 'repair', 'mutual', 'driveway', 'provide', 'water', 'sidewalk', 'point', 'driveway']
Original Request: All records of violations, orders and inspections relating to {} and issues this property has had with {}. Record search from from 2006 to present.
Tokens prepared for LDA: ['record', 'violation', 'order', 'inspection', 'relate', 'issue', 'property', 'record', 'search', 'present']
Original Request: All revision documents and notice for {.} under file # 16 148991 & 16 144178 as well as zoning notices under file # 17 210297.
Tokens prepared for LDA: ['revision', 'document', 'notice', '148991', '144178', 'notice', '210297']
Original Request: A copy of animal services file # A17-048950.
Tokens prepared for LDA: ['animal', 'service', '048950']
Original Request: A copy of incident reports regarding {} while attending the York Recreation Community Pool. The incident took place on Nov. 11, 2017.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'attend', 'recreation', 'community', 'incident', 'place', 'november']
Original Request: All records (namely but without limitation: purchase orders, correspondence, contracts, guaranties, call for tenders, bids, e-mails, etc.) concerning specified City vehicles.
Tokens prepared for LDA: ['record', 'limitation', 'purchase', 'order', 'correspondence', 'contract', 'guaranty', 'tender', 'concern', 'specify', 'vehicle']
Original Request: Copies of ML&S records regarding elevator issues at {} from Jan. 1, 2007 to present.
Tokens prepared for LDA: ['copy', 'record', 'regard', 'elevator', 'issue', 'january', 'present']
Original Request: A copy of zoning review file relating to childcare addition at {} under file # 13-200-250-ZR. Record search from Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['review', 'relate', 'childcare', 'addition', '250-zr', 'record', 'search', 'january', 'december']
Original Request: A copy of zoning review file relating to childcare addition at {} under file # 13-200-250-ZR. Record search from Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['review', 'relate', 'childcare', 'addition', '250-zr', 'record', 'search', 'january', 'december']
Original Request: Copies of all building permits, orders and investigative documents in relation to {.}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'order', 'investigative', 'document', 'relation']
Original Request: In reference to 10 Ruddington Drive / Maxome Park, the following records are requested: 1. Conveyance of land or cash-in-lieu thereof, that may have been made in respect of the Property and/or as it relates to the existing development etc.
Tokens prepared for LDA: ['reference', 'ruddington', 'drive', 'maxome', 'follow', 'record', 'request', 'conveyance', 'thereof', 'respect', 'property', 'and/or', 'relate', 'exist', 'development']
Original Request: In reference to 10 Ruddington Drive / Ruddington Park, the following records are requested: 1. Conveyance of land or cash-in-lieu thereof, that may have been made in respect of the Property and/or as it relates to the existing development etc.
Tokens prepared for LDA: ['reference', 'ruddington', 'drive', 'ruddington', 'follow', 'record', 'request', 'conveyance', 'thereof', 'respect', 'property', 'and/or', 'relate', 'exist', 'development']
Original Request: In reference to 10 Ruddington Drive / East Don Parkland, the following records are requested: 1. Conveyance of land or cash-in-lieu thereof, that may have been made in respect of the Property and/or as it relates to the existing development etc.
Tokens prepared for LDA: ['reference', 'ruddington', 'drive', 'parkland', 'follow', 'record', 'request', 'conveyance', 'thereof', 'respect', 'property', 'and/or', 'relate', 'exist', 'development']
Original Request: All zoning information for {} including all 'permitted use' documents. Record search from as far back as possible to present.
Tokens prepared for LDA: ['information', 'include', 'permit', 'document', 'record', 'search', 'possible', 'present']
Original Request: All zoning information for {} including all 'permitted use' documents. Record search from as far back as possible to present.
Tokens prepared for LDA: ['information', 'include', 'permit', 'document', 'record', 'search', 'possible', 'present']
Original Request: 1) Actual accepted unit delivery(ies) of new bombardier street cars received by TTC by week during calendar 2017 up to Nov. 24, 2017. 2) Actual rejected unit delivery (ies) of new bombadier street cars received by TTC by week during calendar 2017 up to Nov. 24, 2017.
Tokens prepared for LDA: ['actual', 'accept', 'delivery(ies', 'bombardier', 'street', 'receive', 'calendar', 'november', 'actual', 'reject', 'delivery', 'bombadier', 'street', 'receive', 'calendar', 'november']
Original Request: Any and all documents including, but not limited to, all police notes for the incident on Nov. 10, 2017 to deal with a landlord/tenant matter of {}.
Tokens prepared for LDA: ['document', 'include', 'limit', 'police', 'incident', 'november', 'landlord', 'tenant']
Original Request: All documents from building file under permit # 94-00752 for {}, Scarborough.
Tokens prepared for LDA: ['document', 'build', 'permit', '00752', 'scarborough']
Original Request: A copy of security footage from Port Union Community Recreation Centre on November 6, 2017.
Tokens prepared for LDA: ['security', 'footage', 'union', 'community', 'recreation', 'centre', 'november']
Original Request: A copy of archived file dated 1958, Fonds 220, Series 99, File 189, and Titled: Land Acquisition. File consists of records relating to the acquisition of lands for Edwards Gardens.
Tokens prepared for LDA: ['archive', 'fonds', 'series', 'title', 'acquisition', 'consist', 'record', 'relate', 'acquisition', 'edwards', 'garden']
Original Request: Copies of 2008 inspection notes for {} under permit# 119571.
Tokens prepared for LDA: ['copy', 'inspection', 'permit', '119571']
Original Request: All records which pertain to {} as an individual or as the principal owner of Classic Star Auto Craft and/or 15 Sheffield St., North York, M6M 3E5 and/or 15 Sheffield St. Toronto, M6M 3E5.
Tokens prepared for LDA: ['record', 'pertain', 'individual', 'principal', 'owner', 'classic', 'craft', 'and/or', 'sheffield', 'north', 'and/or', 'sheffield', 'toronto']
Original Request: A copy of investigative notes following skating accident involving {} while at the Park Lawn Bubble Rink on Nov. 18, 2017 at 4:00 p.m.
Tokens prepared for LDA: ['investigative', 'follow', 'skate', 'accident', 'involve', 'bubble', 'november']
Original Request: A copy of health inspection report concerning {} following inspection of Nov. 13, 2017. Any record regarding current structural renovations to the basement and/or any occurrences of flooding.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'concern', 'follow', 'inspection', 'november', 'record', 'regard', 'current', 'structural', 'renovation', 'basement', 'and/or', 'occurrence', 'flood']
Original Request: Record of the annual number of hits received by City web page defining no standing at: http://www.toronto.ca/311/knowledgebase/kb/docs/articles/transportation-services/district-transportation-services/traffic-operations/bylaws-no-parking-no-standing-no-
Tokens prepared for LDA: ['record', 'annual', 'receive', 'define', 'stand', 'http://www.toronto.ca/311', 'knowledgebase', 'article', 'transportation', 'service', 'district', 'transportation', 'service', 'traffic', 'operation', 'bylaw', 'stand']
Original Request: Record of complaint filed against {}. Record search from Nov. 1, 2017 to Nov. 26, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'record', 'search', 'november', 'november']
Original Request: Any record which validates {} as a legal two family dwelling. Record search from 2008 to present.
Tokens prepared for LDA: ['record', 'validate', 'legal', 'family', 'dwell', 'record', 'search', 'present']
Original Request: A complete copy of the building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: All information regarding work order submitted to change bins size from large to medium for residence located at {}, including the identity of the individual who made the request. Record search from Nov. 1-30, 2017.
Tokens prepared for LDA: ['information', 'regard', 'order', 'submit', 'change', 'large', 'medium', 'residence', 'locate', 'include', 'identity', 'individual', 'request', 'record', 'search', 'november']
Original Request: Documents, e-mails, reports, presentations and meeting minutes relating to the TTC Presto Card Reader installation in buses, streetcars, and stations. In particular, conversations/decisions relating to what information will be displayed on readers when users tap, e.g. card balance and transfer status.
Tokens prepared for LDA: ['document', 'report', 'presentation', 'minute', 'relate', 'presto', 'reader', 'installation', 'streetcar', 'station', 'particular', 'conversation', 'decision', 'relate', 'information', 'display', 'reader', 'balance', 'transfer', 'status']
Original Request: For 888 Lawrence Ave. E., a copy of the design concept and all related documents that Build Toronto made for Toronto Public Library.
Tokens prepared for LDA: ['lawrence', 'design', 'concept', 'relate', 'document', 'build', 'toronto', 'toronto', 'public', 'library']
Original Request: All records relating to central air conditioning unit at {}. Record search from Jan. 1, 2010 to May 30, 2014.
Tokens prepared for LDA: ['record', 'relate', 'central', 'condition', 'record', 'search', 'january']
Original Request: A copy of tree maintenance records and reports for {}. Record search from Jan. 1, 2007 to Nov. 1, 2016.
Tokens prepared for LDA: ['maintenance', 'record', 'report', 'record', 'search', 'january', 'november']
Original Request: Record of all communications between Courtland Mews Co-operative home at {.} and the City (including inter-divisional) with regard to safety issues. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['record', 'communication', 'courtland', 'operative', 'include', 'inter', 'divisional', 'regard', 'safety', 'issue', 'record', 'search', 'january', 'present']
Original Request: Copies of all building permits issued to {} including, sewer/water service and geotechnical reports. Record search from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'include', 'sewer', 'water', 'service', 'geotechnical', 'report', 'record', 'search', 'possible', 'present']
Original Request: Copies of all building permits issued to {.} including, sewer/water service and geotechnical reports. Record search from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'include', 'sewer', 'water', 'service', 'geotechnical', 'report', 'record', 'search', 'possible', 'present']
Original Request: A complete copy of noise investigative report for {}. Record search from Jun. 29, 2017 to Sep. 29, 2017.
Tokens prepared for LDA: ['complete', 'noise', 'investigative', 'report', 'record', 'search', 'september']
Original Request: A copy of report completed by By-law Inspector Alistair Thomas for {} concerning an issue in the washroom. Reference # 4835271. Record search from Sept. to Nov. 28, 2017.
Tokens prepared for LDA: ['report', 'complete', 'inspector', 'alistair', 'thomas', 'concern', 'issue', 'washroom', 'reference', '4835271', 'record', 'search', 'september', 'november']
Original Request: A copy of Adult Entertainment Club Entertainer (Dancer) Permit and Application for {names removed}. Record search from Jan. 1, 2010 to Nov. 1, 2017.
Tokens prepared for LDA: ['adult', 'entertainment', 'entertainer', 'dancer', 'permit', 'application', 'removed}.', 'record', 'search', 'january', 'november']
Original Request: All documents from building permits and permit applications for {} between 1950 and 1965.
Tokens prepared for LDA: ['document', 'build', 'permit', 'permit', 'application']
Original Request: Name and address of complainant who filed complaints about selling Christmas trees at {.}.
Tokens prepared for LDA: ['address', 'complainant', 'complaint', 'christmas']
Original Request: All records and communication (representatives of the Argonaut Rowing Club, its insurer, Claims representatives, service staff, plumbers, cleaners, etc.) pertaining to sewer backup at 1225 Lakeshore Blvd. W. on Aug. 27, 2017.
Tokens prepared for LDA: ['record', 'communication', 'representative', 'argonaut', 'rowing', 'insurer', 'claim', 'representative', 'service', 'staff', 'plumber', 'cleaner', 'pertain', 'sewer', 'backup', 'lakeshore', 'august']
Original Request: Record of any complaints or accidents reports pertaining road way or side walk in or around Dewitt Rd. Record search Aug. 1, 2016 to Nov. 30, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'accident', 'report', 'pertain', 'dewitt', 'record', 'search', 'august', 'november']
Original Request: All building inspection notes for {} under permit # 15208097. Record search from Jan. 1, 2015 to Jan. 29, 2017.
Tokens prepared for LDA: ['build', 'inspection', 'permit', '15208097', 'record', 'search', 'january', 'january']
Original Request: A complete copy of building file for {} including drawings which were not released under the division's routine disclosure policy. Record search from Jan. 1, 1920 to Jan. 1, 2017.
Tokens prepared for LDA: ['complete', 'build', 'include', 'drawing', 'release', 'division', 'routine', 'disclosure', 'policy', 'record', 'search', 'january', 'january']
Original Request: Records concerning 311 activity # 101004963241.
Tokens prepared for LDA: ['record', 'concern', 'activity', '101004963241']
Original Request: Record of complaint relating to driveway issue made against {}. Transportation staff conducted investigation on Oct. 6, 2017. Please also include any work orders that had been complied.
Tokens prepared for LDA: ['record', 'complaint', 'relate', 'driveway', 'issue', 'transportation', 'staff', 'conduct', 'investigation', 'october', 'include', 'order', 'comply']
Original Request: Copies of any investigation records concerning Sansan Health Centre - 435 Dundas St. W., including any charges laid. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['copy', 'investigation', 'record', 'concern', 'sansan', 'health', 'centre', 'dundas', 'include', 'charge', 'record', 'search', 'january', 'present']
Original Request: Copies of plumbing and site servicing plans for {} as well as service records for the property.
Tokens prepared for LDA: ['copy', 'plumb', 'service', 'service', 'record', 'property']
Original Request: A copy of the 2008-2009 Budget filed by Willowridge Information and Recreation Centre to Toronto Children Services Division. Record search from Jan. 1, 2008 to Dec. 31, 2009.
Tokens prepared for LDA: ['budget', 'willowridge', 'information', 'recreation', 'centre', 'toronto', 'child', 'services', 'division', 'record', 'search', 'january', 'december']
Original Request: Record of motor vehicle collisions in Toronto from 2013 to 2017. Records should include: accident summaries, the location of the accident (street name), time of day and weather conditions when the crash occurred, demographics of the parties involved etc.
Tokens prepared for LDA: ['record', 'motor', 'vehicle', 'collision', 'toronto', 'record', 'include', 'accident', 'summary', 'location', 'accident', 'street', 'weather', 'condition', 'crash', 'occur', 'demographic', 'party', 'involve']
Original Request: For the most recent year available, please provide any statistics on the numbers of former Syrian refugees receiving income support, similar to the statistics released by the Nova Scotia Department of Community Services, as reported here: http://www.cbc.ca
Tokens prepared for LDA: ['recent', 'available', 'provide', 'statistic', 'number', 'syrian', 'refugee', 'receive', 'income', 'support', 'similar', 'statistic', 'release', 'scotia', 'department', 'community', 'services', 'report', 'http://www.cbc.ca']
Original Request: Record of the legal status of property located at {.} including, permits issued and background information on notices to comply which was issued in 1995. Record search from Jan. 1, 1900 to Dec. 5, 2017.
Tokens prepared for LDA: ['record', 'legal', 'status', 'property', 'locate', 'include', 'permit', 'issue', 'background', 'information', 'notice', 'comply', 'issue', 'record', 'search', 'january', 'december']
Original Request: A copy of investigative reports concerning noise and unleashed dog complaint regarding {}. Record search from Jun, 3, 2016 to Jul. 1, 2017.
Tokens prepared for LDA: ['investigative', 'report', 'concern', 'noise', 'unleash', 'complaint', 'regard', 'record', 'search']
Original Request: Copies of plumbing and site service plans for {} as well as service cards for the property.
Tokens prepared for LDA: ['copy', 'plumb', 'service', 'service', 'property']
Original Request: A copy of fire inspection report for {}. Inspection was done on Oct. 12, 2017 at 10.00 am.
Tokens prepared for LDA: ['inspection', 'report', 'inspection', 'october', '10.00']
Original Request: A copy of police report from the station located at Finch Ave. W. and Albion Rd. filed on Father's day of either 2014 or 2015 that related to {}.
Tokens prepared for LDA: ['police', 'report', 'station', 'locate', 'finch', 'albion', 'father', 'relate']
Original Request: All records pertaining to grants or credits given to {} which is a City's convenience address, but includes entire complex of 25,& 35 Liberty St., 56 & 58 Atlantic Ave., 61 & 65 Jefferson Ave. from 2000 to present.
Tokens prepared for LDA: ['record', 'pertain', 'grant', 'credit', 'convenience', 'address', 'include', 'entire', 'complex', 'liberty', 'atlantic', 'jefferson', 'present']
Original Request: A copy of parking application and approval for front pad parking at {}.
Tokens prepared for LDA: ['application', 'approval']
Original Request: All communications regarding shelter or respite capacity sent or received by any member of the Mayor's Office between office members or with any City staff, including all attachments. Record search from Dec. 24, 2017 to Jan. 2, 2018.
Tokens prepared for LDA: ['communication', 'regard', 'shelter', 'respite', 'capacity', 'receive', 'member', 'mayor', 'office', 'office', 'member', 'staff', 'include', 'attachment', 'record', 'search', 'december', 'january']
Original Request: A list of the (roughly 200) properties explored as possible homeless shelter sites, the reasons that they were considered inappropriate and any other notes or records SSH has on these properties.
Tokens prepared for LDA: ['roughly', 'property', 'explore', 'possible', 'homeless', 'shelter', 'reason', 'consider', 'inappropriate', 'record', 'property']
Original Request: A list of all 191 evaluated locations for future shelters and all records related to the evaluation, site visits, due diligence and reasons for refusal - including specific reasons the locations did not meet the existing criteria and/or by-law.
Tokens prepared for LDA: ['evaluate', 'location', 'future', 'shelter', 'record', 'relate', 'evaluation', 'visit', 'diligence', 'reason', 'refusal', 'include', 'specific', 'reason', 'location', 'exist', 'criterium', 'and/or']
Original Request: A list of all 191 evaluated locations for future shelters and all records related to the evaluation, site visits, due diligence and reasons for refusal - including specific reasons the locations did not meet the existing criteria and/or by-law.
Tokens prepared for LDA: ['evaluate', 'location', 'future', 'shelter', 'record', 'relate', 'evaluation', 'visit', 'diligence', 'reason', 'refusal', 'include', 'specific', 'reason', 'location', 'exist', 'criterium', 'and/or']
Original Request: All communications related to the drafting and sending of the press release sent by the city on Dec. 31, 2017 titled - Update on Toronto homelessness services during extreme cold weather: Services remain available for those in need; including etc.
Tokens prepared for LDA: ['communication', 'relate', 'draft', 'press', 'release', 'december', 'title', 'update', 'toronto', 'homelessness', 'service', 'extreme', 'weather', 'services', 'remain', 'available', 'include']
Original Request: All records and information to any development or planning approval inquiry or application under the Planning Act, with respect to the property descrribed as {}.
Tokens prepared for LDA: ['record', 'information', 'development', 'approval', 'inquiry', 'application', 'planning', 'respect', 'property', 'descrribed']
Original Request: 1. Please provide 2017-2019 wage schedules for firefighters and 2016-2019 wage schedules for L79 full-time and L79 part-time/Unit B, if available? 2. Please provide separate breakouts for 2012-2016 annual salaries and benefits payroll data for i) L79 ful
Tokens prepared for LDA: ['provide', 'schedule', 'firefighter', 'schedule', 'available', 'provide', 'separate', 'breakout', 'annual', 'salary', 'benefit', 'payroll', 'datum']
Original Request: A copy of Committee of Adjustments file A0030.03 TEY regarding {}.
Tokens prepared for LDA: ['committee', 'adjustment', 'a0030.03', 'regard']
Original Request: A copy of call transcript and report following 311 call made by {} of {}, on October 3, 2017.
Tokens prepared for LDA: ['transcript', 'report', 'follow', 'october']
Original Request: A copy of inspection reports/orders and proof of CAD$50,000 fine imposed on Tandem Property Management - {}. Record search from Aug. 14, 2017 to Dec. 31, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'proof', 'cad$50,000', 'impose', 'tandem', 'property', 'management', 'record', 'search', 'august', 'december']
Original Request: All records from Animal Services pertaining to a complaint made against the dogs at {} on Dec. 13, 2017; ref. # 5005547.
Tokens prepared for LDA: ['record', 'animal', 'services', 'pertain', 'complaint', 'december', '5005547']
Original Request: The total amounts of complaints and subsequent convictions for all dog related incidents on and off-leash, on streets and in parks. Please indicate each instances per park, per ward, and the totals for Toronto.
Tokens prepared for LDA: ['total', 'complaint', 'subsequent', 'conviction', 'relate', 'incident', 'leash', 'street', 'indicate', 'instance', 'total', 'toronto']
Original Request: Any and all correspondence between the Toronto Police Services and the Mayor's Office regarding the deaths of Barry and Honey Sherman. Record search from December 15, 2017 to present.
Tokens prepared for LDA: ['correspondence', 'toronto', 'police', 'services', 'mayor', 'office', 'regard', 'death', 'barry', 'honey', 'sherman', 'record', 'search', 'december', 'present']
Original Request: Copies of most recent building permit application, occupancy and demolition permits for {}. Record search from Apr. 1, 2012 to Aug. 30, 2012.
Tokens prepared for LDA: ['copy', 'recent', 'build', 'permit', 'application', 'occupancy', 'demolition', 'permit', 'record', 'search', 'april', 'august']
Original Request: Copies of most recent building permit application, occupancy and demolition permits for {.}. Record search from Jun. 1, 2012 to Sep. 30, 2012.
Tokens prepared for LDA: ['copy', 'recent', 'build', 'permit', 'application', 'occupancy', 'demolition', 'permit', 'record', 'search', 'september']
Original Request: Copies of most recent building permit application, occupancy and demolition permits for {}. Record search from Jun. 1, 2014 to Aug. 8, 2014.
Tokens prepared for LDA: ['copy', 'recent', 'build', 'permit', 'application', 'occupancy', 'demolition', 'permit', 'record', 'search', 'august']
Original Request: Copies of all building documents under permit # 14 107348 BLD - {}.
Tokens prepared for LDA: ['copy', 'build', 'document', 'permit', '107348']
Original Request: A complete copy of building file for {.}. Record search from 2017 to present.
Tokens prepared for LDA: ['complete', 'build', 'record', 'search', 'present']
Original Request: Records relating to RFQ #07 6717 HTP WA3, specifically the value of the award, the awardee and the unit price. Record search from Dec. 18, 2017 to Jan. 3, 2018.
Tokens prepared for LDA: ['record', 'relate', 'specifically', 'value', 'award', 'awardee', 'price', 'record', 'search', 'december', 'january']
Original Request: Record of the times of entry made to 703 Don Mills Rd and 55 John St, 15th using access card {number removed} from Sep. 4, 2017 to present.
Tokens prepared for LDA: ['record', 'entry', 'mills', 'access', 'remove', 'september', 'present']
Original Request: Copies of all records related to 311 service request number 5027942 concerning water issues at {.}.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'service', 'request', '5027942', 'concern', 'water', 'issue']
Original Request: All records concerning noise complaint in relation to {}, 311 ref. # 5009489, including date and time of call.
Tokens prepared for LDA: ['record', 'concern', 'noise', 'complaint', 'relation', '5009489', 'include']
Original Request: Record of all Toronto Water calls and reports concerning sewer back-up at {}, including any work done for installations or repairs to any lines within the vicinity of the aforementioned address. Record search from 2010 to present.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'report', 'concern', 'sewer', 'include', 'installation', 'repair', 'vicinity', 'aforementioned', 'address', 'record', 'search', 'present']
Original Request: Record of the number of reported needle-stick injuries sustained by individuals in a 2km radius of the Yonge/Dundas intersection and the number of needles (syringes) provided as part of the substance use supplies/harm reduction programs in a 2km etc.
Tokens prepared for LDA: ['record', 'report', 'needle', 'stick', 'injury', 'sustain', 'individual', 'radius', 'yonge', 'dundas', 'intersection', 'needle', 'syrinx', 'provide', 'substance', 'supply', 'reduction', 'program']
Original Request: A copy of video surveillance of a hit and run incident which occurred across the street from Beaches Recreation Centre - 6 Williamson Rd., on November 29, 2017. The damaged vehicle is a 2009 Toyota Camera DLX 4 4 door, white in colour (parked vehicle)
Tokens prepared for LDA: ['video', 'surveillance', 'incident', 'occur', 'street', 'beach', 'recreation', 'centre', 'williamson', 'november', 'damage', 'vehicle', 'toyota', 'camera', 'white', 'colour', 'vehicle']
Original Request: Building permits, work orders, inspection records for the basement dwelling unit that was legalized on July 26, 1996 at {}. Records to show that the unit was retrofitted by City.
Tokens prepared for LDA: ['building', 'permit', 'order', 'inspection', 'record', 'basement', 'dwell', 'legalize', 'record', 'retrofit']
Original Request: All media relations communications developed by SSHA related to the City's decision to reconsider opening the armouries for emergency shelters. Record search from Dec. 14, 2017 to Jan. 3, 2018.
Tokens prepared for LDA: ['medium', 'relation', 'communication', 'develope', 'relate', 'decision', 'reconsider', 'armoury', 'emergency', 'shelter', 'record', 'search', 'december', 'january']
Original Request: Details of the complaint that led to the fire inspection of Dorset Park Baptist Church at 1428 Kennedy Rd., Scarborough. Inspection was done by Tali Ground in late June 2017.
Tokens prepared for LDA: ['details', 'complaint', 'inspection', 'dorset', 'baptist', 'church', 'kennedy', 'scarborough', 'inspection', 'ground']
Original Request: A detailed description with dates of all complaints made regarding the construction of the residential dwelling at {}, North York, Please provide a list of names or phone numbers of who made each complaint.
Tokens prepared for LDA: ['description', 'complaint', 'regard', 'construction', 'residential', 'dwell', 'north', 'provide', 'phone', 'number', 'complaint']
Original Request: All records relating to the canvass done by Councillor Karygiannis, concerning parking regulation changes made to Darnborough Way, Brookmill Blvd. and L'Amoreaux Dr.
Tokens prepared for LDA: ['record', 'relate', 'canvass', 'councillor', 'karygiannis', 'concern', 'regulation', 'change', 'darnborough', 'brookmill', "l'amoreaux"]
Original Request: A copy of building inspection report for {}. Record search from Nov. 1, 2016 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'record', 'search', 'november', 'present']
Original Request: All documents from Building to show what {} was zoned for as far back as possible. Currently the property is zoned as commercial/residential.
Tokens prepared for LDA: ['document', 'building', 'possible', 'currently', 'property', 'commercial', 'residential']
Original Request: ML&S investigation report under folder # 2017232436 NOI 00 IR relating to noise complaint filed against {} in Dec. 2017. Nicholas Pakateng was the ML&S Officer.
Tokens prepared for LDA: ['investigation', 'report', 'folder', '2017232436', 'relate', 'noise', 'complaint', 'december', 'nicholas', 'pakateng', 'officer']
Original Request: A copy of 311 audio recording made, or transcript and any notes made by 311 operator for a call made by {} on Dec. 23, 2017 at. 2.15 pm. Call lasted for 9 minutes.
Tokens prepared for LDA: ['audio', 'record', 'transcript', 'operator', 'december', 'minute']
Original Request: Information on the funding of a recent (still running) public billboard campaign put out by Toronto Public Health titled "Don't Procrastinate-Vaccinate" where the vaccine manufacturer of Menectra was clearly featured in this ad.
Tokens prepared for LDA: ['information', 'recent', 'public', 'billboard', 'campaign', 'toronto', 'public', 'health', 'title', 'procrastinate', 'vaccinate', 'vaccine', 'manufacturer', 'menectra', 'clearly', 'feature']
Original Request: Building permit information for the demolition work at {}. Record search from Jan. 1, 2016 to July 20, 2016.
Tokens prepared for LDA: ['building', 'permit', 'information', 'demolition', 'record', 'search', 'january']
Original Request: A copy of full public health inspection report from Lisa Samuels for the inspections done on Sept. 10 and 13, 2017 at {} relating to mould issues.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'samuel', 'inspection', 'september', 'relate', 'mould', 'issue']
Original Request: Bids submitted by vendors for RFQ call # 6129-16-3181 relating to Fleet Services. Record search from Jan. 24, 2017 to Feb. 13, 2017.
Tokens prepared for LDA: ['submit', 'vendor', 'relate', 'fleet', 'services', 'record', 'search', 'january', 'february']
Original Request: Reports, complaints, documents relating to {}, in particular complaints stating that {} contravened the by-laws. Record search from Dec. 1, 2016 to present.
Tokens prepared for LDA: ['report', 'complaint', 'document', 'relate', 'particular', 'complaint', 'state', 'contravene', 'record', 'search', 'december', 'present']
Original Request: All records from Building and ML&S relating to the "Subway Take Out Food", including application, approvals and permits issued for Unit 19, 1-25 Glendinning Ave., Scarborough. Records to be as far back as possible.
Tokens prepared for LDA: ['record', 'building', 'relate', 'subway', 'include', 'application', 'approval', 'permit', 'issue', 'glendinning', 'scarborough', 'record', 'possible']
Original Request: A copy of animal services file # AS17-024888 relating to a dog bite incident that occurred on May 31, 2017.
Tokens prepared for LDA: ['animal', 'service', '024888', 'relate', 'incident', 'occur']
Original Request: Building inspection, fire inspection, ML&S inspection including animal services records for {} from Dec. 1, 2017 to Jan. 12, 2018.
Tokens prepared for LDA: ['building', 'inspection', 'inspection', 'inspection', 'include', 'animal', 'service', 'record', 'december', 'january']
Original Request: Copies of 2017 inspection reports and service requests records following investigation into fire and carbon monoxide detectors on the 2nd floor of {}.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'service', 'request', 'record', 'follow', 'investigation', 'carbon', 'monoxide', 'detector', 'floor']
Original Request: All reports, records, orders, investigations, directives, etc., that are available pertaining to an asphalt release to the sewer on June 16, 2017. Release originated from {.} with outfall at {.} etc.
Tokens prepared for LDA: ['report', 'record', 'order', 'investigation', 'directive', 'available', 'pertain', 'asphalt', 'release', 'sewer', 'release', 'originate', 'outfall']
Original Request: Records of any methane collection, venting system designs and monitoring results for installations at {}, on the east side of Carlingview Dr., Documentation of any methane potential within the building at this building as this address etc.
Tokens prepared for LDA: ['record', 'methane', 'collection', 'design', 'monitor', 'result', 'installation', 'carlingview', 'documentation', 'methane', 'potential', 'build', 'build', 'address']
Original Request: Records of any methane collection, venting system designs and monitoring results for installations at {}, on the east side of Carlingview Dr., Documentation of any methane potential within the building at this building as this address etc.
Tokens prepared for LDA: ['record', 'methane', 'collection', 'design', 'monitor', 'result', 'installation', 'carlingview', 'documentation', 'methane', 'potential', 'build', 'build', 'address']
Original Request: Copies of Right-of-way Management Utility Cut Permits issued for work on Sheppard Avenue East, 500 m east and 500 m west of Pharmacy Avenue. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['copy', 'right', 'management', 'utility', 'permit', 'issue', 'sheppard', 'avenue', 'pharmacy', 'avenue', 'record', 'search', 'january', 'present']
Original Request: Copies of heat investigation reports relating to {}; ref. # 5022234 & 5008762. Record search Dec. 16 & 28, 2017.
Tokens prepared for LDA: ['copy', 'investigation', 'report', 'relate', '5022234', '5008762', 'record', 'search', 'december']
Original Request: All building records relating to permit 17 225256 BLD 00 BA for {}. Documentation of all prior permit applications; the current zoning for the property including any history of changes; any zoning/building code infractions or violations a etc.
Tokens prepared for LDA: ['build', 'record', 'relate', 'permit', '225256', 'documentation', 'prior', 'permit', 'application', 'current', 'property', 'include', 'history', 'change', 'build', 'infraction', 'violation']
Original Request: All building records relating to permit 17 225256 BLD 00 BA for {}. Documentation of all prior permit applications; the current zoning for the property including any history of changes; any zoning/building code infractions or violations a etc.
Tokens prepared for LDA: ['build', 'record', 'relate', 'permit', '225256', 'documentation', 'prior', 'permit', 'application', 'current', 'property', 'include', 'history', 'change', 'build', 'infraction', 'violation']
Original Request: All building records relating to permit 17 225256 BLD 00 BA for {.}. Documentation of all prior permit applications; the current zoning for the property including any history of changes; any zoning/building code infractions or violations a etc.
Tokens prepared for LDA: ['build', 'record', 'relate', 'permit', '225256', 'documentation', 'prior', 'permit', 'application', 'current', 'property', 'include', 'history', 'change', 'build', 'infraction', 'violation']
Original Request: All record related to the inspection and removal of blue spruce tree from the property of {} on or about Jan. 15, 2016, as well as a copy of order to comply issued Jan. 13 2016.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'removal', 'spruce', 'property', 'january', 'order', 'comply', 'issue', 'january']
Original Request: Copies of all building permits issued in relation permits: 423525, 095301, 149625, 157504, 85156 and 160490 for {.}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'relation', 'permit', '423525', '095301', '149625', '157504', '85156', '160490']
Original Request: A copy of ML&S investigative report following inspection at {.}. Record search from Oct. 1, 2017 to Oct. 30, 2017.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'inspection', 'record', 'search', 'october', 'october']
Original Request: Record of any permits issued to {.} for the purposes of construction, conversion, plumbing and/or electrical work; as well as, any documents designating the property as a single unit commercial building.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'purpose', 'construction', 'conversion', 'plumb', 'and/or', 'electrical', 'document', 'designate', 'property', 'single', 'commercial', 'build']
Original Request: All investigative records concerning the central air conditioning unit at {} including e-mails and calendar entries from May 30, 2014 to present.
Tokens prepared for LDA: ['investigative', 'record', 'concern', 'central', 'condition', 'include', 'calendar', 'entry', 'present']
Original Request: A complete copy of building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: Copies of any documents, including e-mails, correspondence, memos, reports, briefing notes, Q&As, media lines, complaints, etc., regarding the reports, later found to be untrue, that a student was attacked for wearing a hijab (January 12, 2018) and the re
Tokens prepared for LDA: ['copy', 'document', 'include', 'correspondence', 'report', 'brief', 'medium', 'complaint', 'regard', 'report', 'untrue', 'student', 'attack', 'hijab', 'january']
Original Request: Bike Share member data indicating join date, geographic location, trip data trip date, origination/termination points, time and routes taken and; where possible, linking tip to members.
Tokens prepared for LDA: ['share', 'member', 'datum', 'indicate', 'geographic', 'location', 'datum', 'origination', 'termination', 'point', 'route', 'possible', 'member']
Original Request: Record of the City's current methodology used to calculate employee non-taxable WSIB advance and a taxable top up amounts; as described in "Minutes of Settlement" see attached. Record search from Jul. 21, 2010 to Dec. 31, 2017.
Tokens prepared for LDA: ['record', 'current', 'methodology', 'calculate', 'employee', 'taxable', 'advance', 'taxable', 'minutes', 'settlement', 'attach', 'record', 'search', 'december']
Original Request: Record indicating what constitutes "Full Net Pay" in regard to article 24(1)(c) in the collective agreement between The Toronto Professional Fire Fighters Association IAFF L3888 and the City of Toronto, in all contract from Jan. 1, 2010 to current
Tokens prepared for LDA: ['record', 'indicate', 'constitute', 'regard', 'article', '24(1)(c', 'collective', 'agreement', 'toronto', 'professional', 'fighter', 'association', 'l3888', 'toronto', 'contract', 'january', 'current']
Original Request: A complete copy of building file for {.} from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['complete', 'build', 'january', 'present']
Original Request: A complete copy of Closed Claim file, (all documents); reference: Claim #59192-01 (Newmarket Court) of May 2001- co-defendant claim against the Royal Woodbine Golf Course Ltd., and the City. Received June 2001-dismissed November 2006-possibly a 2007 etc.
Tokens prepared for LDA: ['complete', 'close', 'claim', 'document', 'reference', 'claim', '59192', 'newmarket', 'court', '2001-', 'defendant', 'claim', 'royal', 'woodbine', 'course', 'receive', '2001-dismissed', 'november', '2006-possibly']
Original Request: Copies of 1888 Ground Lease Agreement termination documentation concerning The Royal Woodbine Golf Inc-195 Galaxy Blvd (possibly 1990-1991) including bankruptcy details and documentation; new leasee documentation from Corp. of the City of Etobicoke etc.
Tokens prepared for LDA: ['copy', 'ground', 'lease', 'agreement', 'termination', 'documentation', 'concern', 'royal', 'woodbine', 'inc-195', 'galaxy', 'possibly', 'include', 'bankruptcy', 'documentation', 'leasee', 'documentation', 'corp.', 'etobicoke']
Original Request: A copy of inspection report from Toronto Water concerning {.} following waterrmain failure on May 11, 2017. Also include documentation indicating the age of the watermain.
Tokens prepared for LDA: ['inspection', 'report', 'toronto', 'water', 'concern', 'follow', 'waterrmain', 'failure', 'include', 'documentation', 'indicate', 'watermain']
Original Request: All notes from Public Health inspector Si Le relating to the inspection done on May 26, 2015 at {}
Tokens prepared for LDA: ['public', 'health', 'inspector', 'relate', 'inspection']
Original Request: Two incident reports submitted by two Seaton House employees that related to {}. Record search from Sept. 1, 2017 to Jan. 15, 2018.
Tokens prepared for LDA: ['incident', 'report', 'submit', 'seaton', 'house', 'employee', 'relate', 'record', 'search', 'september', 'january']
Original Request: Information on any person that had contacted the City to report the condition of the bus shelter in front of 1326 Dundas S. W. in June 2011. How many incidents were reported to the CIty involving the sidewalk on the stretch of sidewalk between Coolmine
Tokens prepared for LDA: ['information', 'person', 'contact', 'report', 'condition', 'shelter', 'dundas', 'incident', 'report', 'involve', 'sidewalk', 'stretch', 'sidewalk', 'coolmine']
Original Request: A copy of ML&S inspection report following property damage investigation at {}, ref. #16-154783. Requester notes attending officer may have erroneously identified the property as {}.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'property', 'damage', 'investigation', '154783', 'requester', 'attend', 'officer', 'erroneously', 'identify', 'property']
Original Request: A copy of the current lease agreement for St. Patrick Market at 238 Queen St. W.
Tokens prepared for LDA: ['current', 'lease', 'agreement', 'patrick', 'market', 'queen']
Original Request: A list of companies who received a violation notices as per Toronto Municipal Code Chapter 681, Sewers; issued between October 1, 2017 to present.
Tokens prepared for LDA: ['company', 'receive', 'violation', 'notice', 'toronto', 'municipal', 'chapter', 'sewer', 'issue', 'october', 'present']
Original Request: Copies of any historical water flow testing data for {} including same for hydrant immediately adjacent or nearest to the property.
Tokens prepared for LDA: ['copy', 'historical', 'water', 'datum', 'include', 'hydrant', 'immediately', 'adjacent', 'property']
Original Request: A copy of Toronto Water inspection report following flooding investigation in the electrical room, P1 level at {} on Jan. 6, 2018; ref. # 5052889.
Tokens prepared for LDA: ['toronto', 'water', 'inspection', 'report', 'follow', 'flood', 'investigation', 'electrical', 'level', 'january', '5052889']
Original Request: All building records for {} except those relating recent application #17 217914 and permit #B63-3857.
Tokens prepared for LDA: ['build', 'record', 'relate', 'recent', 'application', '217914', 'permit']
Original Request: Record of any notices issued to {.} including work orders and other correspondence. Record search from 2003 to present.
Tokens prepared for LDA: ['record', 'notice', 'issue', 'include', 'order', 'correspondence', 'record', 'search', 'present']
Original Request: Copies of witness statements, notes and photographs relating to motor vehicle collision on the Don Valley Parkway near its intersection with Gerrard St. E., on Jan. 27, 2011.
Tokens prepared for LDA: ['copy', 'witness', 'statement', 'photograph', 'relate', 'motor', 'vehicle', 'collision', 'valley', 'parkway', 'intersection', 'gerrard', 'january']
Original Request: All records related to fire which took place at {.} on Oct. 30, 2016 i.e. witness statements, notes photographs, 911, dispatch and attendance audio record etc.
Tokens prepared for LDA: ['record', 'relate', 'place', 'october', 'witness', 'statement', 'photograph', 'dispatch', 'attendance', 'audio', 'record']
Original Request: A copy of ML&S Report and Order for {.} ML&S Officer was Elliot Debarros. Record search from June 1, 2017 to July 25, 2017.
Tokens prepared for LDA: ['report', 'order', 'officer', 'elliot', 'debarros', 'record', 'search']
Original Request: For taxicab plates that could be released to drivers, what were the lease prices for those taxicab plates from Jan. 2010 to present date, or until the latest date that the City has this information? Do not provide personal information, names, plate numbe
Tokens prepared for LDA: ['taxicab', 'plate', 'release', 'driver', 'lease', 'price', 'taxicab', 'plate', 'january', 'present', 'information', 'provide', 'personal', 'information', 'plate', 'numbe']
Original Request: For "Toronto Police Service Parking Enforcement Review" report issued on April 26, 2011, the author indicates in the Steps in Review subsection of the Audit Objectives, Scope and Methodology Section, Page 5.
Tokens prepared for LDA: ['toronto', 'police', 'service', 'parking', 'enforcement', 'review', 'report', 'issue', 'april', 'author', 'indicate', 'steps', 'review', 'subsection', 'audit', 'objective', 'scope', 'methodology', 'section']
Original Request: Copy of Order issued on Dec. 28, 2017 under # 502-5536 for {.} for issue of no heat; copy of final inspection report done on Dec. 14-15, 2017 including order to repair. Record search from Dec.14, 2017 to Jan. 15, 2018.
Tokens prepared for LDA: ['order', 'issue', 'december', 'issue', 'final', 'inspection', 'report', 'december', 'include', 'order', 'repair', 'record', 'search', 'dec.14', 'january']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetARToronto (StART) etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start']
Original Request: Record of any studies or staff recommendations that explain why stop signs are placed in the way that they are placed along Gourlay Crescent, Ethel Avenue, to West Toronto Street, all west of Keele.
Tokens prepared for LDA: ['record', 'study', 'staff', 'recommendation', 'explain', 'place', 'place', 'gourlay', 'crescent', 'ethel', 'avenue', 'toronto', 'street', 'keele']
Original Request: A copy of noise investigation report regarding {} in Dec. 2014.
Tokens prepared for LDA: ['noise', 'investigation', 'report', 'regard', 'december']
Original Request: Record of any existing orders or investigations regarding {.} with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Copies of archived files dated 1995-2000, Fonds 16, Series 1593, File 1652, and Titled: Business loss - Eglinton Subway and Sheppard Subway and, 1991, Fonds 211, Series 1620, File 5752, and Titled: TTC rapid transit line - Eglinton Avenue West.
Tokens prepared for LDA: ['copy', 'archive', 'fonds', 'series', 'title', 'business', 'eglinton', 'subway', 'sheppard', 'subway', 'fonds', 'series', 'title', 'rapid', 'transit', 'eglinton', 'avenue']
Original Request: A copy of Toronto Fire Services report concerning an investigation into the presence of toxic fumes at {} on Jan. 20, 2018.
Tokens prepared for LDA: ['toronto', 'services', 'report', 'concern', 'investigation', 'presence', 'toxic', 'january']
Original Request: A copy of noise inspection report and investigative records concerning in ground spa at {}.
Tokens prepared for LDA: ['noise', 'inspection', 'report', 'investigative', 'record', 'concern', 'grind']
Original Request: Record of any and all "Authority to Occupy" permits or certificates of occupancy the City of Toronto and/or its department issued to Talon International Development Inc., the real estate venture that developed the former Trump Hotel/Condo Tower etc.
Tokens prepared for LDA: ['record', 'authority', 'occupy', 'permit', 'certificate', 'occupancy', 'toronto', 'and/or', 'department', 'issue', 'talon', 'international', 'development', 'estate', 'venture', 'develope', 'trump', 'hotel', 'condo', 'tower']
Original Request: All city of toronto complaints filed against {}. Specifically interested in the name and address of the person who filed a complaint with the city for them to request to inspect the property. Record search from Jan. 1, 2013 to Nov. 15, 20
Tokens prepared for LDA: ['toronto', 'complaint', 'specifically', 'address', 'person', 'complaint', 'request', 'inspect', 'property', 'record', 'search', 'january', 'november']
Original Request: Record of any information concerning sinkhole development near Don Mills Rd just south of Highway 401 including any mention of its effects to any nearby building within the vicinity. Record search from Jan. 16, 2018 to present.
Tokens prepared for LDA: ['record', 'information', 'concern', 'sinkhole', 'development', 'mills', 'south', 'highway', 'include', 'mention', 'effect', 'nearby', 'build', 'vicinity', 'record', 'search', 'january', 'present']
Original Request: Copies of all records related pertaining to {} under permits: 08 149089 BLD 00 SR; 13 175987 BLD 00 SR, and 13 166645 BLD 00 SR.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'pertain', 'permit', '149089', '175987', '166645']
Original Request: All records on file regarding attack incident between dog named Jaesuk, owned by {}, and dog named Lucky, owned by {}. The incident occurred on December 19, 2013 at { }.
Tokens prepared for LDA: ['record', 'regard', 'attack', 'incident', 'jaesuk', 'lucky', 'incident', 'occur', 'december']
Original Request: Copies of permit applications under the following file numbers for {.}: #72652(1962); #127859(1979); #131271(1981) and 255156(1987).
Tokens prepared for LDA: ['copy', 'permit', 'application', 'follow', 'number', '72652(1962', '127859(1979', '131271(1981', '255156(1987']
Original Request: All records on relating to ML&S inspections for {}.
Tokens prepared for LDA: ['record', 'relate', 'inspection']
Original Request: Documentation confirming the demolishment of {.} and its current status of habitability.
Tokens prepared for LDA: ['documentation', 'confirm', 'demolishment', 'current', 'status', 'habitability']
Original Request: A complete copy of investigative file concerning dog bite incident involving {} who was bitten on Sep. 12, 2017 at {}. Record search from Sep. 12, 2017 to present.
Tokens prepared for LDA: ['complete', 'investigative', 'concern', 'incident', 'involve', 'september', 'record', 'search', 'september', 'present']
Original Request: All maintenance and inspection records relating to the Etobicoke Olympium and the change rooms; as well as any incidents which may have occurred within said change rooms. Record search from Oct. 1, 2017 to Oct. 31, 2017.
Tokens prepared for LDA: ['maintenance', 'inspection', 'record', 'relate', 'etobicoke', 'olympium', 'change', 'incident', 'occur', 'change', 'record', 'search', 'october', 'october']
Original Request: A copy of property standards investigation records under the RentSafeTO program for {.} on Dec. 21, 2017; ref. # 17 983270 000 00 RAI.
Tokens prepared for LDA: ['property', 'standard', 'investigation', 'record', 'rentsafeto', 'program', 'december', '983270']
Original Request: Copies all complaint and property standards investigation records for {.} under the files: 4975478 - 4947048 - 4923218 ? 4922980. Record search from Oct. 25, 2017 to Nov. 30, 2017.
Tokens prepared for LDA: ['copy', 'complaint', 'property', 'standard', 'investigation', 'record', '4975478', '4947048', '4923218', '4922980', 'record', 'search', 'october', 'november']
Original Request: A copy of Toronto Water records for {.} from Jan. 1, 2011 to Dec. 15, 2017.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'january', 'december']
Original Request: A complete copy of noise investigation request concerning {} under file #14 239142 NOI 00 IR.
Tokens prepared for LDA: ['complete', 'noise', 'investigation', 'request', 'concern', '239142']
Original Request: A complete copy of noise investigation request concerning {.} under file #14 239142 NOI 00 IR.
Tokens prepared for LDA: ['complete', 'noise', 'investigation', 'request', 'concern', '239142']
Original Request: All records concerning investigative files for {.} under file # 2000 349 590 000; 2007 265 776 PRS; 2009 1940 49 PRS; 2017 2169 12 PRS; 478 4427 & 2094658.
Tokens prepared for LDA: ['record', 'concern', 'investigative', '2094658']
Original Request: A complete copy of building file for {.} including TRCA approvals from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'approval', 'january', 'present']
Original Request: A copy of video footage of Napa Auto Parts vehicle in the parts shipping and receiving area of City of Toronto Fleet Services - 843 Eastern Ave. on Aug. 10, 2017. Time frame of search 9:00 a.m. ? 9:15 a.m.
Tokens prepared for LDA: ['video', 'footage', 'parts', 'vehicle', 'receive', 'toronto', 'fleet', 'services', 'eastern', 'august', 'frame', 'search']
Original Request: Copies of orders issued to {} in 2017 under # 17 239232 PRS 00 IR and 17 278986 PRS 00 IR.
Tokens prepared for LDA: ['copy', 'order', 'issue', '239232', '278986']
Original Request: Copies of all records relating to {.} from Toronto Building, ML&S, Urban Forestry and Transportation Services. Record search from Jan. 1, 2003 to Jan. 28, 2018.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'toronto', 'building', 'urban', 'forestry', 'transportation', 'services', 'record', 'search', 'january', 'january']
Original Request: All Toronto Water records concerning {.} in relation to CSR #68137; work order #25205, 26764, 23560 as well as all records relating to the inspection, removal etc., of old concrete sewer for pvc/comparable service to the property.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'concern', 'relation', '68137', 'order', '25205', '26764', '23560', 'record', 'relate', 'inspection', 'removal', 'concrete', 'sewer', 'comparable', 'service', 'property']
Original Request: In electronic format: copies of the following documents as they relate to Amazon's HQ2 search process: briefing notes, memos, presentations, slide decks, reports, meetings minutes, handwritten notes, marketing materials, marketing budgets etc.
Tokens prepared for LDA: ['electronic', 'format', 'follow', 'document', 'relate', 'amazon', 'search', 'process', 'brief', 'presentation', 'slide', 'report', 'meeting', 'minute', 'handwritten', 'market', 'material', 'market', 'budget']
Original Request: Copies of all infractions, violations and investigations concerning {.} including building permits. Record search from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'infraction', 'violation', 'investigation', 'concern', 'include', 'build', 'permit', 'record', 'search', 'january', 'present']
Original Request: Copies of all infractions, violations and investigations concerning {.} including building permits. Record search from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['copy', 'infraction', 'violation', 'investigation', 'concern', 'include', 'build', 'permit', 'record', 'search', 'january', 'present']
Original Request: Record of any work completed by Toronto Water within the vicinity/in conjunction with property located at {.}. Record search from 1970 to 2017.
Tokens prepared for LDA: ['record', 'complete', 'toronto', 'water', 'vicinity', 'conjunction', 'property', 'locate', 'record', 'search']
Original Request: A copy of failure to comply notice as prepared by Peter Chow regarding {}, as well as any fire violations and maintenance reports. Record search from Dec. 18, 2017 to Jan. 24, 2018.
Tokens prepared for LDA: ['failure', 'comply', 'notice', 'prepare', 'peter', 'regard', 'violation', 'maintenance', 'report', 'record', 'search', 'december', 'january']
Original Request: A copy of failure to comply notice as prepared by Peter Chow regarding {}, as well as any fire violations and maintenance reports. Record search from Dec. 18, 2017 to Jan. 24, 2018.
Tokens prepared for LDA: ['failure', 'comply', 'notice', 'prepare', 'peter', 'regard', 'violation', 'maintenance', 'report', 'record', 'search', 'december', 'january']
Original Request: Copies of all failure to comply notices and building permit documents for Dorset Baptist Church - 1428 Kennedy Rd. Record search from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['copy', 'failure', 'comply', 'notice', 'build', 'permit', 'document', 'dorset', 'baptist', 'church', 'kennedy', 'record', 'search', 'january', 'present']
Original Request: All by-law inspection reports for {.}, Scarborough from Nov. 1, 2016 to present.
Tokens prepared for LDA: ['inspection', 'report', 'scarborough', 'november', 'present']
Original Request: All work orders, including but not limited, to Stop Work Orders, made with respect to the construction of the L-Tower residential condominium building at 8 The Esplanade, Toronto. Record search from April 1, 2016 to Jan. 24, 2018.
Tokens prepared for LDA: ['order', 'include', 'limit', 'order', 'respect', 'construction', 'tower', 'residential', 'condominium', 'build', 'esplanade', 'toronto', 'record', 'search', 'april', 'january']
Original Request: A copy of file relating to {} for Toronto Taxi plate # 2201. Record search from 2014 to 2017,
Tokens prepared for LDA: ['relate', 'toronto', 'plate', 'record', 'search']
Original Request: An aerial survey, map, or registered plan from City of Toronto for the easement, or right of way or allowance given to Rogers and Bell to access their equipment, wires and cables on private property. This pertains to the area running from Hursting Ave.
Tokens prepared for LDA: ['aerial', 'survey', 'register', 'toronto', 'easement', 'right', 'allowance', 'rogers', 'access', 'equipment', 'cable', 'private', 'property', 'pertain', 'hursting']
Original Request: A record of all complaints made against {} from 311, Building, parking permits, building permits, Fire Services and ML&S. Record search from June1, 2012 to July 1, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'building', 'permit', 'build', 'permit', 'services', 'ml&s.', 'record', 'search', 'june1']
Original Request: Copies of all 311 calls and property standards records pertaining to {.} as they relate to water shut-off and gas. Record search from 2016 to present.
Tokens prepared for LDA: ['copy', 'property', 'standard', 'record', 'pertain', 'relate', 'water', 'record', 'search', 'present']
Original Request: A copy of building permit application form and any documents disclosing the name of assigned architect at the time Days Inn - 2151 Kingston Rd. was severed and the existing Best Western was converted into a seniors residence.
Tokens prepared for LDA: ['build', 'permit', 'application', 'document', 'disclose', 'assign', 'architect', 'kingston', 'sever', 'exist', 'western', 'convert', 'senior', 'residence']
Original Request: A copy of 311 and ML&S investigative file concerning complaints made by tenant {} concerning {}. Record search from 2017 to present.
Tokens prepared for LDA: ['investigative', 'concern', 'complaint', 'tenant', 'concern', 'record', 'search', 'present']
Original Request: Record of the number of ambulance hospital transports per day/per week from Jan. 1, 2017 to Jan. 20, 2018.
Tokens prepared for LDA: ['record', 'ambulance', 'hospital', 'transport', 'january', 'january']
Original Request: A complete copy of building file including, plans and drawings for {.}. A complete history of businesses licensed at this address, from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'drawing', 'complete', 'history', 'business', 'license', 'address', 'possible', 'present']
Original Request: A copy of ML&S investigative file regarding {} under file #17 271015 PRS 00 IV.
Tokens prepared for LDA: ['investigative', 'regard', '271015']
Original Request: A complete copy of building records for {.} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'record', 'possible', 'present']
Original Request: All records in relation to incident involving {} while in attendance - ARC Program on Jan. 29, 2018. Records should include transcripts, e-mail exchanges (Jan. 29, 2018 to Feb. 5, 2018); as they relate to {} etc.
Tokens prepared for LDA: ['record', 'relation', 'incident', 'involve', 'attendance', 'program', 'january', 'record', 'include', 'transcript', 'exchange', 'january', 'february', 'relate']
Original Request: A copy of 2017 building inspection report for {.} under file #17175017. Inspector Dale Theriault.
Tokens prepared for LDA: ['build', 'inspection', 'report', '17175017', 'inspector', 'theriault']
Original Request: All e-mails created and received by Mayor John Tory and any of his staff members in 2017 that relate in any way to Dafonte Miller. This request includes, but is not limited to, correspondence between any member of the Mayor's staff etc.
Tokens prepared for LDA: ['create', 'receive', 'mayor', 'staff', 'member', 'relate', 'dafonte', 'miller', 'request', 'include', 'limit', 'correspondence', 'member', 'mayor', 'staff']
Original Request: All e-mails created and received by Mayor John Tory and any of his staff members in 2017 that relate in any way to Dafonte Miller. This request includes, but is not limited to, correspondence between any member of the Mayor's staff etc.
Tokens prepared for LDA: ['create', 'receive', 'mayor', 'staff', 'member', 'relate', 'dafonte', 'miller', 'request', 'include', 'limit', 'correspondence', 'member', 'mayor', 'staff']
Original Request: All maintenance, system re-calibration, and test results records for red light camera located on the north west intersection of Jarvis St. and King St. Subject camera should be focused on traffic travelling southbound on Jarvis St.
Tokens prepared for LDA: ['maintenance', 'calibration', 'result', 'record', 'light', 'camera', 'locate', 'north', 'intersection', 'jarvis', 'subject', 'camera', 'focus', 'traffic', 'travel', 'southbound', 'jarvis']
Original Request: Any or all information (letters, e-mails etc.) for {} referencing all of the following: A0492/17SC-17 277622 ESC C; 17 261571 BLD 00 NH. Record search from Apr. 1, 2017 to Jan. 30, 2018.
Tokens prepared for LDA: ['information', 'letter', 'reference', 'follow', 'a0492/17sc-17', '277622', '261571', 'record', 'search', 'april', 'january']
Original Request: All correspondence between the City of Toronto and DRI-LEC Building Services Inc.; The Linear Workshop; and KFA Architects and Planner in relation to {}. All notes, reports, inspections, and records from building inspectors etc.
Tokens prepared for LDA: ['correspondence', 'toronto', 'building', 'services', 'linear', 'workshop', 'architect', 'planner', 'relation', 'report', 'inspection', 'record', 'build', 'inspector']
Original Request: Copies of all permits, inspection notes reports etc., in relation to construction at {.} during 2013 to 2015.
Tokens prepared for LDA: ['copy', 'permit', 'inspection', 'report', 'relation', 'construction']
Original Request: A copy of investigative file concerning the presence of bed bugs at {}.
Tokens prepared for LDA: ['investigative', 'concern', 'presence']
Original Request: A copy of ML&S record following investigation at {} concerning various maintenance issues. Record search from April to September 2017.
Tokens prepared for LDA: ['record', 'follow', 'investigation', 'concern', 'various', 'maintenance', 'issue', 'record', 'search', 'april', 'september']
Original Request: A copy of vehicle fitness record for 2014 Toyota Camry taxicab owned by {}.
Tokens prepared for LDA: ['vehicle', 'fitness', 'record', 'toyota', 'camry', 'taxicab']
Original Request: A copy of activity record for fire protection water pipe to {.}, on Jan. 8, 2018 and Jan. 9, 2018; 311 reference #5057610. Record search from Jan. 5, 2019 to present.
Tokens prepared for LDA: ['activity', 'record', 'protection', 'water', 'january', 'january', 'reference', '5057610', 'record', 'search', 'january', 'present']
Original Request: All Urban Forestry and TRCA permit application and related documents including, e-mail correspondence for {}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['urban', 'forestry', 'permit', 'application', 'relate', 'document', 'include', 'correspondence', 'record', 'search', 'possible', 'present']
Original Request: All Urban Forestry and TRCA permit application and related documents including, e-mail correspondence for {.}. Record search from as far back as possible to present.
Tokens prepared for LDA: ['urban', 'forestry', 'permit', 'application', 'relate', 'document', 'include', 'correspondence', 'record', 'search', 'possible', 'present']
Original Request: A copy of ML&S records for {.} under file #16 250540 NOI 00 IR, including all related records held by the City Prosecutor.
Tokens prepared for LDA: ['record', '250540', 'include', 'relate', 'record', 'prosecutor']
Original Request: A complete copy of investigative file concerning dog bite incident involving dog named Brooklyn which was bitten by German Sheppard on Jan. 19, 2018 at {.}. Animal Services file # A18 603095.
Tokens prepared for LDA: ['complete', 'investigative', 'concern', 'incident', 'involve', 'brooklyn', 'german', 'sheppard', 'january', 'animal', 'services', '603095']
Original Request: Copies of maintenance record for main sewer line to {.} i.e. replacement dates, material composition and work orders.
Tokens prepared for LDA: ['copy', 'maintenance', 'record', 'sewer', 'replacement', 'material', 'composition', 'order']
Original Request: A copy of building inspection records for {.} concerning the bowing of brick wall on the property; reference # 17 175017. Record search from 2015 to 2017.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'concern', 'brick', 'property', 'reference', '175017', 'record', 'search']
Original Request: A copy of incident report from staff of After School Program at Ellesmere Statton School relating to the Feb. 6, 2018 that involved {}.
Tokens prepared for LDA: ['incident', 'report', 'staff', 'school', 'program', 'ellesmere', 'statton', 'school', 'relate', 'february', 'involve']
Original Request: Record of Dufferin Grove Park's "income by day" for 2017 in excel format.
Tokens prepared for LDA: ['record', 'dufferin', 'grove', 'income', 'excel', 'format']
Original Request: A copy of parking enforcement officer's report and ambulance call report concerning collision between a bicycle and car (owned by) {} at 700 Unversity Ave. Record search from Sept. 1, 2015 to Dec. 31, 2016, likely Sept. 2015.
Tokens prepared for LDA: ['enforcement', 'officer', 'report', 'ambulance', 'report', 'concern', 'collision', 'bicycle', 'unversity', 'record', 'search', 'september', 'december', 'likely', 'september']
Original Request: All records concerning sign media affixed to the roof of building located at {.}, including any existing agreements between the media company/companies and the property owners, inspection reports, permits etc. Record search from as far back as possible.
Tokens prepared for LDA: ['record', 'concern', 'medium', 'affix', 'build', 'locate', 'include', 'exist', 'agreement', 'medium', 'company', 'company', 'property', 'owner', 'inspection', 'report', 'permit', 'record', 'search', 'possible']
Original Request: A copy of Ward 18 2017 Summary Final SAP spreadsheet in electronic form.
Tokens prepared for LDA: ['summary', 'final', 'spreadsheet', 'electronic']
Original Request: All inspector's notes and records for permit # 10-304683 for {.}. Record search from 2010 to present.
Tokens prepared for LDA: ['inspector', 'record', 'permit', '304683', 'record', 'search', 'present']
Original Request: A copy of flood report for the incident that occurred in Jan. 2018 at {.}. Ref. #s 504-1807, 508-4926 and 503-3527., including what needs to be done by property owner. Please provide records from both 311 and Toronto Water.
Tokens prepared for LDA: ['flood', 'report', 'incident', 'occur', 'january', 'include', 'property', 'owner', 'provide', 'record', 'toronto', 'water']
Original Request: Communications including e-mails between Mayor John Tory, Vic Gupta and Chris Eby making reference to "Pride Toronto" or "Pride Parade" and "Toronto Police Service" or "Chief Mark Saunders". Record search from Aug. 1, 2017 to Jan. 31, 2018.
Tokens prepared for LDA: ['communications', 'include', 'mayor', 'gupta', 'chris', 'reference', 'pride', 'toronto', 'pride', 'parade', 'toronto', 'police', 'service', 'chief', 'saunders', 'record', 'search', 'august', 'january']
Original Request: A copy of any still images taken by the red light camera located at the intersection of Wilson Ave. and Transit Rd. on Feb. 1, 2018 between 6.30 am and 6.40 am.
Tokens prepared for LDA: ['image', 'light', 'camera', 'locate', 'intersection', 'wilson', 'transit', 'february']
Original Request: All shelter data (occupancy, capacity, rate for Co-Ed, Men, Women, Youth, Family-Shelter, Family-Motel, Total) for Jan. 3, 2018 (as drawn from occupancy at 4.00 am on Jan. 4, 2018).
Tokens prepared for LDA: ['shelter', 'datum', 'occupancy', 'capacity', 'woman', 'youth', 'family', 'shelter', 'family', 'motel', 'total', 'january', 'occupancy', 'january']
Original Request: A copy of inspection and sidewalk walkover reports with deficiencies and without, which include Durie St., north of Bloor to Annette St for the dates prior to 2012, including 2011, 2010, 2009 and for 2014 and 2015,.
Tokens prepared for LDA: ['inspection', 'sidewalk', 'walkover', 'report', 'deficiency', 'include', 'durie', 'north', 'bloor', 'annette', 'prior', 'include']
Original Request: Property standards notices, orders and investigation reports for {,.}, in particular, the reports dated Jan 4, 2018, June 30, 2017, June 21, 2017, June 19, 2017 and August 23, 2016 which are listed on the City Investigation lookup site
Tokens prepared for LDA: ['property', 'standard', 'notice', 'order', 'investigation', 'report', 'particular', 'report', 'august', 'investigation', 'lookup']
Original Request: Any/all municipal landscaping, gardening or groundskeeping contracts awarded to Bruce McArthur, Roger Horan, or any companies owned either/both of them. e.g. McArthur Design, Horan Design, Artistic Design. Record search from Jan. 1, 2004 to Oct.1, 2018.
Tokens prepared for LDA: ['municipal', 'landscape', 'garden', 'groundskeeping', 'contract', 'award', 'bruce', 'mcarthur', 'roger', 'horan', 'company', 'mcarthur', 'design', 'horan', 'design', 'artistic', 'design', 'record', 'search', 'january', 'oct.1']
Original Request: Information on an open permit for {} for making internal alterations and a deck on the porch roof at the front of the house. Permit was taken out in 1987 and expired in 1989. Record search from Jan. 1, 1987 to Dec. 31, 1989.
Tokens prepared for LDA: ['information', 'permit', 'internal', 'alteration', 'porch', 'house', 'permit', 'expire', 'record', 'search', 'january', 'december']
Original Request: All emails sent between the following people concerning the response to my (Jennifer Pagliaro) email on Feb. 7 at 1:41 p.m. to Wynna Brown asking for comment on the timing of the cost update on the Scarborough: Wynna Brown, Jackie DeSouza, James Perttula, etc.
Tokens prepared for LDA: ['email', 'follow', 'people', 'concern', 'response', 'jennifer', 'pagliaro', 'email', 'february', 'wynna', 'brown', 'comment', 'update', 'scarborough', 'wynna', 'brown', 'jackie', 'desouza', 'james', 'perttula']
Original Request: Copies of the awarded tenders for V.M. Bros Construction Ltd. from 1970 to 2000. This company was a curb and sidewalk company that performed work for the City of North York and had contracts for snow removal with North York for sidewalks..
Tokens prepared for LDA: ['copy', 'award', 'tender', 'construction', 'company', 'sidewalk', 'company', 'perform', 'north', 'contract', 'removal', 'north', 'sidewalk']
Original Request: Information on whether the water main leading from the City pipes to the private property at {.} was ever upgraded from lead to copper for and the size of the copper.
Tokens prepared for LDA: ['information', 'water', 'private', 'property', 'upgrade', 'copper', 'copper']
Original Request: All paperwork, records and reports relating to building permit # 12-131616 for {.}, including permit application or electronic copy with equivalent information including applicant or mentioned permit.
Tokens prepared for LDA: ['paperwork', 'record', 'report', 'relate', 'build', 'permit', '131616', 'include', 'permit', 'application', 'electronic', 'equivalent', 'information', 'include', 'applicant', 'mention', 'permit']
Original Request: Building permits, work orders, inspections, deficiencies, any settlement for parking requirements, violaions for {} from 2011 to 2017.
Tokens prepared for LDA: ['building', 'permit', 'order', 'inspection', 'deficiency', 'settlement', 'requirement', 'violaions']
Original Request: Any notices of parking violations, infractions issued to {.} from Jan. 1, 2000 to Jan. 1, 2018 from Right of Way Management.
Tokens prepared for LDA: ['notice', 'violation', 'infraction', 'issue', 'january', 'january', 'right', 'management']
Original Request: A copy of any complaint records, maintenance requests and injury complaint records with respect to the maintenance of the sidewalk on the north side of Kipling Ave. at Dixon Rd., at approx. 408 Dixon Rd. Record search from Feb. 18. 2014 to Jan. 24, 2018.
Tokens prepared for LDA: ['complaint', 'record', 'maintenance', 'request', 'injury', 'complaint', 'record', 'respect', 'maintenance', 'sidewalk', 'north', 'kipling', 'dixon', 'approx', 'dixon', 'record', 'search', 'february', 'january']
Original Request: A copy of any complaint records, maintenance requests and injury complaint records with respect to the maintenance of the sidewalk on the north side of Kipling Ave. at Dixon Rd., at approx. 408 Dixon Rd. Record search from Feb. 18. 2014 to Jan. 24, 2018.
Tokens prepared for LDA: ['complaint', 'record', 'maintenance', 'request', 'injury', 'complaint', 'record', 'respect', 'maintenance', 'sidewalk', 'north', 'kipling', 'dixon', 'approx', 'dixon', 'record', 'search', 'february', 'january']
Original Request: All communications and documents relating to City of Toronto Access Request # 2017-02095. Record search from Sept. 20, 2017 to Feb. 9, 2018.
Tokens prepared for LDA: ['communication', 'document', 'relate', 'toronto', 'access', 'request', '02095', 'record', 'search', 'september', 'february']
Original Request: A copy of detailed inspection reports for permit # 14-100149 BLD for 3262 Midland Ave., Unit E113-E115, Scarborough, including all inspection dates and results of each inspection stages, inspection notes of each visit and the reason of failed inspection.
Tokens prepared for LDA: ['inspection', 'report', 'permit', '100149', 'midland', 'e113-e115', 'scarborough', 'include', 'inspection', 'result', 'inspection', 'stage', 'inspection', 'visit', 'reason', 'inspection']
Original Request: How much Uber paid the City of Toronto, per month, from Jan. 1, 2017 through to Dec. 31, 2017, with respect to the dispatching of runs to its so-called driver partners.
Tokens prepared for LDA: ['toronto', 'month', 'january', 'december', 'respect', 'dispatch', 'driver', 'partner']
Original Request: Please provide same as attached table: 1. number of cab owners who are licensed to drive a taxi in the City of Toronto. 2. number of taxi drivers who are licensed to drive a taxi in the City of Toronto. 3. number of people who are licensed and insured
Tokens prepared for LDA: ['provide', 'attach', 'table', 'owner', 'license', 'drive', 'toronto', 'driver', 'license', 'drive', 'toronto', 'people', 'license', 'insure']
Original Request: All permits, records and drawings for {}.
Tokens prepared for LDA: ['permit', 'record', 'drawing']
Original Request: Traffic studies conducted for Avenue Rd. between Wilson Ave. and Lawrence Ave (including these intersections), either north or south bound. Traffic Studies for Lawrence Ave. West between Yonge St and Bathurst St.
Tokens prepared for LDA: ['traffic', 'study', 'conduct', 'avenue', 'wilson', 'lawrence', 'include', 'intersection', 'north', 'south', 'traffic', 'study', 'lawrence', 'yonge', 'bathurst']
Original Request: Pictures and video and all related information regarding male getting onto the roof and falling off from the North York Civic Centre on Feb. 7, 2018 at 5.01 am. Incident # IN20180001540.
Tokens prepared for LDA: ['picture', 'video', 'relate', 'information', 'regard', 'north', 'civic', 'centre', 'february', 'incident', 'in20180001540']
Original Request: All records pertaining to Public Health visit to {} re: potential asbestos in construction material falling in chunks though air vent from work being done some floors above. Please include phone calls exchanges, e-mails, in person
Tokens prepared for LDA: ['record', 'pertain', 'public', 'health', 'visit', 'potential', 'asbestos', 'construction', 'material', 'chunk', 'floor', 'include', 'phone', 'exchange', 'person']
Original Request: Archival records relating to Humber River - designation of a Canadian Heritage River, Fonds 211, Series 1620, FIle 4713.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'humber', 'river', 'designation', 'canadian', 'heritage', 'river', 'fonds', 'series']
Original Request: All Fire Inspectors' reports for {} under 1227812 Ontario Ltd. Record search from May 1, 2017 to Nov. 1, 2017
Tokens prepared for LDA: ['inspector', 'report', '1227812', 'ontario', 'record', 'search', 'november']
Original Request: Landfills, methane monitoring and/or contamination records for 411 Victoria Park Ave., Scarborough
Tokens prepared for LDA: ['landfill', 'methane', 'monitor', 'and/or', 'contamination', 'record', 'victoria', 'scarborough']
Original Request: Building inspection reports for permit # 08-232328 for {}. Record search from Jan. 1, 2008 to Feb. 2, 2018.
Tokens prepared for LDA: ['building', 'inspection', 'report', 'permit', '232328', 'record', 'search', 'january', 'february']
Original Request: A notice of arrears that was sent to TD Bank from the City of Toronto in or around July 2013 in respect of property taxes owing at {}.
Tokens prepared for LDA: ['notice', 'arrears', 'toronto', 'respect', 'property', 'taxis']
Original Request: A copy of Order for {} dated Feb. 12, 2018 for the assessment done by Natalie Brown, Public Health inspector indicating that the dog named Teddy is released from confinement and is free of rabies.
Tokens prepared for LDA: ['order', 'february', 'assessment', 'natalie', 'brown', 'public', 'health', 'inspector', 'indicate', 'teddy', 'release', 'confinement', 'rabies']
Original Request: Information from Toronto Building in relation to the project called Upper Summerside at 743 Warden Ave. to indicate the reaons for delay in construction by home builder Mattamy Homes.
Tokens prepared for LDA: ['information', 'toronto', 'building', 'relation', 'project', 'upper', 'summerside', 'warden', 'indicate', 'reaons', 'delay', 'construction', 'builder', 'mattamy', 'home']
Original Request: Permit application and related documents for {}, Toronto. Permit # 351684 1993 1/2.
Tokens prepared for LDA: ['permit', 'application', 'relate', 'document', 'toronto', 'permit', '351684']
Original Request: Landfills, methane monitoring and/or contamination records for {}.
Tokens prepared for LDA: ['landfill', 'methane', 'monitor', 'and/or', 'contamination', 'record']
Original Request: Landfills, methane monitoring and/or contamination records for {}.
Tokens prepared for LDA: ['landfill', 'methane', 'monitor', 'and/or', 'contamination', 'record']
Original Request: With respect to {.}: 1. Any building construction and/or building demolition permits; 2) Do the Building and Fire Depts conduct routine inspections at the property? 3) Date of last Building and Fire inspection. 4) Any outstanding building
Tokens prepared for LDA: ['respect', 'build', 'construction', 'and/or', 'build', 'demolition', 'permit', 'building', 'depts', 'conduct', 'routine', 'inspection', 'property', 'building', 'inspection', 'outstanding', 'build']
Original Request: All records of calls made to 311 relating to heat issue, snow removal issue, garbage issue for {.}, including by-law officers' files. Record search from Jan. 2017 to present.
Tokens prepared for LDA: ['record', 'relate', 'issue', 'removal', 'issue', 'garbage', 'issue', 'include', 'officer', 'record', 'search', 'january', 'present']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects or
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {.}, with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: Complaints, inspection and action reports regarding tree in front of {}. since Jan 1, 2017, Please include records from 311 and Urban Forestry.
Tokens prepared for LDA: ['complaint', 'inspection', 'action', 'report', 'regard', 'include', 'record', 'urban', 'forestry']
Original Request: Complaints filed with ML&S, Building inspections and Fire Services for 1298-1300 Gerrard St. E. Record search from Nov. 1, 2017 to present.
Tokens prepared for LDA: ['complaint', 'building', 'inspection', 'services', 'gerrard', 'record', 'search', 'november', 'present']
Original Request: A coopy of CCTV footage from the S/W corner of Yonge/Dundas Square from the two cameras directly over the Visitor Information Booth between 7.00 and 7.45 pm on Feb. 9, 2018.
Tokens prepared for LDA: ['coopy', 'footage', 'corner', 'yonge', 'dundas', 'square', 'camera', 'directly', 'visitor', 'information', 'booth', 'february']
Original Request: Complaints, inspection and any reports regarding the tree in front of {.} since Jan. 1, 2017, including 311 and Urban Forestry records.
Tokens prepared for LDA: ['complaint', 'inspection', 'report', 'regard', 'january', 'include', 'urban', 'forestry', 'record']
Original Request: A copy of ML&S inspection report for {.}. The issue was on "not enough heat". 311 Ref. # 5016402.
Tokens prepared for LDA: ['inspection', 'report', 'issue', '5016402']
Original Request: Any information on zoning application for Lifesport Exercise and Health that previously operated at the basement of Empress Walk, 5095 Yonge St. Also, business license, application records from ML&S. Record search to be as far back as possible.
Tokens prepared for LDA: ['information', 'application', 'lifesport', 'exercise', 'health', 'previously', 'operate', 'basement', 'empress', 'yonge', 'business', 'license', 'application', 'record', 'ml&s.', 'record', 'search', 'possible']
Original Request: A copy of all inspection notices for {} Record search to be as far back as possible.
Tokens prepared for LDA: ['inspection', 'notice', 'record', 'search', 'possible']
Original Request: All building permits, reports, inspections for {.} from Jan. 1, 2008 to Feb. 15, 2018, excluding plans.
Tokens prepared for LDA: ['build', 'permit', 'report', 'inspection', 'january', 'february', 'exclude']
Original Request: All building permits, reports, inspections for {.} from Jan. 1, 2008 to Feb. 15, 2018.
Tokens prepared for LDA: ['build', 'permit', 'report', 'inspection', 'january', 'february']
Original Request: Available colour pictures from the Toronto Public Health Inspection records regarding CRSIR# 117527. Inspection conducted by Danuta Krajewski on Aug. 31, 2015 at {.}
Tokens prepared for LDA: ['available', 'colour', 'picture', 'toronto', 'public', 'health', 'inspection', 'record', 'regard', 'crsir', '117527', 'inspection', 'conduct', 'danuta', 'krajewski', 'august']
Original Request: A copy of work order for the work done to {} for the Priority Lead Water Service Replacement Program, including details of the city owned portion of the requester's driveway that was worked on and the exact measurements.
Tokens prepared for LDA: ['order', 'priority', 'water', 'service', 'replacement', 'program', 'include', 'portion', 'requester', 'driveway', 'exact', 'measurement']
Original Request: All building inspection notes for {.} North York from July 2013 to present.
Tokens prepared for LDA: ['build', 'inspection', 'north', 'present']
Original Request: Any documents describing (or from a manual) the process on how sidewalk walkover inspections are performed, i.e. by car on on foot by staff, relating to Durie St., north of Bloor to Annette St. Record search from 2009 to 2015.
Tokens prepared for LDA: ['document', 'manual', 'process', 'sidewalk', 'walkover', 'inspection', 'perform', 'staff', 'relate', 'durie', 'north', 'bloor', 'annette', 'record', 'search']
Original Request: All information on the application and approval of the Subway Restaurant previously located at Unit 7, 1-25 Glendinning Ave. It was probably approved at Committee of Adjustment. Please include zoning information. Record search from 2000 to 2014.
Tokens prepared for LDA: ['information', 'application', 'approval', 'subway', 'restaurant', 'previously', 'locate', 'glendinning', 'probably', 'approve', 'committee', 'adjustment', 'include', 'information', 'record', 'search']
Original Request: A copy of building application form for permit # 12131616 (2012) for {}.
Tokens prepared for LDA: ['build', 'application', 'permit', '12131616']
Original Request: Contact information and details relating to a request that Urban Forestry prune a city tree located at {.}. Record search from July 1, 2017 to Aug. 31, 2017. Please include 311 record.
Tokens prepared for LDA: ['contact', 'information', 'relate', 'request', 'urban', 'forestry', 'prune', 'locate', 'record', 'search', 'august', 'include', 'record']
Original Request: A copy of the yearly "Parking on residential front yards and boulevards agreement" for {}.
Tokens prepared for LDA: ['yearly', 'parking', 'residential', 'boulevard', 'agreement']
Original Request: Record of any existing orders or investigations regarding {} , with respect to property standard issues and complaints. Any street parking, zoning or other approvals; in relation to the property. Including, StreetART (StART) projects
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'complaint', 'street', 'approval', 'relation', 'property', 'include', 'streetart', 'start', 'project']
Original Request: A copy of Zoning Review file under reference # 17 274143 ZZC 00 ZR for {.}.
Tokens prepared for LDA: ['zoning', 'review', 'reference', '274143']
Original Request: A copy of sewer back up inspection report for {.} to determine if the blockage was inside the property lline or whether there was a crack. Record search from March 1, 2017 to Dec, 31, 2017.
Tokens prepared for LDA: ['sewer', 'inspection', 'report', 'determine', 'blockage', 'inside', 'property', 'lline', 'crack', 'record', 'search', 'march']
Original Request: Records from August 1, 2017, to the present concerning calls 311 Toronto received about suspected rabid raccoons, including but not limited to call frequency data. Please do not process any records that require consultation with external parties.
Tokens prepared for LDA: ['record', 'august', 'present', 'concern', 'toronto', 'receive', 'suspect', 'rabid', 'raccoon', 'include', 'limit', 'frequency', 'datum', 'process', 'record', 'require', 'consultation', 'external', 'party']
Original Request: Real-time and historical homeless and hostel shelter occupancy disaggregated by location, gender, facility, for all affiliated shelters. Record search from Jan. 1, 2008 to March 1, 2018.
Tokens prepared for LDA: ['historical', 'homeless', 'hostel', 'shelter', 'occupancy', 'disaggregate', 'location', 'gender', 'facility', 'affiliate', 'shelter', 'record', 'search', 'january', 'march']
Original Request: In relation to the parking survey conducted by Scott Neunie of Transporation Services on Alcorn Ave., please provide (1) the written city policy and parameters guiding Mr. Neunie's determinations on July 5, 2017 as to what qualified as a parking space.
Tokens prepared for LDA: ['relation', 'survey', 'conduct', 'scott', 'neunie', 'transporation', 'services', 'alcorn', 'provide', 'write', 'policy', 'parameter', 'guide', 'neunie', 'determination', 'qualify', 'space']
Original Request: Any and all records, inspections, records of inspections passed and failed, inspectors' notes, etc for permit number 08-215745 and 13-234028 BLD 00 for {.}. Record search from Jan. 1, 2005 to Feb. 18, 2018.
Tokens prepared for LDA: ['record', 'inspection', 'record', 'inspection', 'inspector', 'permit', '215745', '234028', 'record', 'search', 'january', 'february']
Original Request: Recording of a 311 call made by {} at approx. 9.29 am on Feb. 14, 2018. Call was made from the phone ending with -0080. Discussion topic included complaints about clearing sidewalks on Louise Ave.
Tokens prepared for LDA: ['recording', 'approx', 'february', 'phone', '-0080', 'discussion', 'topic', 'include', 'complaint', 'clear', 'sidewalk', 'louise']
Original Request: A copy of video surveillance on feb. 18, 2018 between 14:00 and 16:07 from the camera on parking lot of York Recreational Centre at 115 Black Creek Dr. The incident involved a parked eastwards dark red Dodge Grand Caravan was hit
Tokens prepared for LDA: ['video', 'surveillance', '14:00', '16:07', 'camera', 'recreational', 'centre', 'black', 'creek', 'incident', 'involve', 'eastward', 'dodge', 'grand', 'caravan']
Original Request: In relation to {} operating as True Karaoke located at 3585 Keele St., #9, (1) list of 311 call logs or complaints filed with the City; (2) list of complaints or any other relevant information relating to this facility; (3) all permits request
Tokens prepared for LDA: ['relation', 'operate', 'karaoke', 'locate', 'keele', 'complaint', 'complaint', 'relevant', 'information', 'relate', 'facility', 'permit', 'request']
Original Request: A copy of the entire animal services file relating to the dog that was involved and the owners of the dog in the dog bite incident that occurred on Oct. 17, 2017. Animal Service # 4905800, Public Health file # 120971.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'relate', 'involve', 'owner', 'incident', 'occur', 'october', 'animal', 'service', '4905800', 'public', 'health', '120971']
Original Request: A database of completed renewable energy initiatives, specifically solar energy and wind power projects in the Greater Toronto Area between Jan. 1, 2015 and Dec. 31, 2017.
Tokens prepared for LDA: ['database', 'complete', 'renewable', 'energy', 'initiative', 'specifically', 'solar', 'energy', 'power', 'project', 'greater', 'toronto', 'january', 'december']
Original Request: Toronto Water report regarding grout in existing sewer lines at the location of {}, just west of Shaw St. on February 20, 2018. 311 Reference # 514-8970.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'regard', 'grout', 'exist', 'sewer', 'location', 'february', 'reference']
Original Request: History of ML&S complaints filed against {.} relating to dog, noises issues from 2013 to present.
Tokens prepared for LDA: ['history', 'complaint', 'relate', 'noise', 'issue', 'present']
Original Request: Report and results of fire inspection done for {}. Record search from Jan. 29, 2018 to Feb. 20, 2018,
Tokens prepared for LDA: ['report', 'result', 'inspection', 'record', 'search', 'january', 'february']
Original Request: Any and all documents ( including paper and electronic documents) that pertain to the current TAS developments purchase and development of 888 Dupont Street. Not limiting the generality of the above this would include: paper correspondence
Tokens prepared for LDA: ['document', 'include', 'paper', 'electronic', 'document', 'pertain', 'current', 'development', 'purchase', 'development', 'dupont', 'street', 'limit', 'generality', 'include', 'paper', 'correspondence']
Original Request: A copy of dog attack report for the incident that occurred on Sept. 9, 2016 in the Spruce Hill Rd./Queen St. E. area. Dog killed was owned by {}. Please include copies of any other records including, but not limited to, breeds of dogs involv
Tokens prepared for LDA: ['attack', 'report', 'incident', 'occur', 'september', 'spruce', 'rd./queen', 'include', 'record', 'include', 'limit', 'breed', 'involv']
Original Request: Copies of all building permit applications, building inspections and related documents and correspondence for 600 Sherbourne St. Record search from Jan. 1, 1967 to Dec. 31, 1980.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'build', 'inspection', 'relate', 'document', 'correspondence', 'sherbourne', 'record', 'search', 'january', 'december']
Original Request: All ML&S complaints relating to heat issues and property standards for {} from 2006 to 2018.
Tokens prepared for LDA: ['complaint', 'relate', 'issue', 'property', 'standard']
Original Request: ML&S inspection reports for {.}, including file # 17 132108 PRS 00 IR from the inspection request dated March 21, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'include', '132108', 'inspection', 'request', 'march']
Original Request: A copy of ML&S reports for {.} under file #s 2018-114-318 PRS (exterior); 2018-114-224 PRS (3rd floor); 2018-114-171 PRS (main floor); 2018-114-138 PRS. Inspection done Feb 5, 2018. Also zoning report # 5154039 and 512-8512.
Tokens prepared for LDA: ['report', 'exterior', 'floor', 'floor', 'inspection', 'report', '5154039']
Original Request: Al building permits, records, inspections; property standards records; fire inspection records; Committee of Adjustment records (pre 2008) for {.}. Record search to be as far back as possible.
Tokens prepared for LDA: ['build', 'permit', 'record', 'inspection', 'property', 'standard', 'record', 'inspection', 'record', 'committee', 'adjustment', 'record', 'record', 'search', 'possible']
Original Request: Any calls (both audio and written) made to 311 from phone # {number removed} relating to {} from Jan. 2017 to Dec. 2017. Please include records from ML&S and Fire inspections.
Tokens prepared for LDA: ['audio', 'write', 'phone', 'remove', 'relate', 'january', 'december', 'include', 'record', 'inspection']
Original Request: A copy of ML&S inspection report relating to heat issue for {}. The complaint was filed on Feb. 16, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'issue', 'complaint', 'february']
Original Request: All records relating to noise alleged to be related to the St. George Care Community at 225 St. George St., including but not limited to all complaints, correspondence, investigation, notes, reports, measurements, data collected.
Tokens prepared for LDA: ['record', 'relate', 'noise', 'allege', 'relate', 'george', 'community', 'george', 'include', 'limit', 'complaint', 'correspondence', 'investigation', 'report', 'measurement', 'datum', 'collect']
Original Request: A copy of animal services file A17-053108.
Tokens prepared for LDA: ['animal', 'service', '053108']
Original Request: A copy of Public Health inspection report for {.} Etobicoke, Inspection was done by Wendy Harrison, Health Inspector. Record search from Nov. 1, 2010 to Jan. 1, 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'etobicoke', 'inspection', 'wendy', 'harrison', 'health', 'inspector', 'record', 'search', 'november', 'january']
Original Request: A copy of fire inspection report for {.} completed on Feb. 25, 2018.
Tokens prepared for LDA: ['inspection', 'report', 'complete', 'february']
Original Request: A copy of fire code violation and inspecton record for {.}. Record search from Jan. 1, 2018 to Feb. 23, 2018.
Tokens prepared for LDA: ['violation', 'inspecton', 'record', 'record', 'search', 'january', 'february']
Original Request: A copy of 311 call logs for the calls made by {} from phone number {number removed} relating to {} from Nov. 2017 to present.
Tokens prepared for LDA: ['phone', 'remove', 'relate', 'november', 'present']
Original Request: All information held by the City that is associated with storm-water problems at {} for example, records of any kind, involving internal and/or external meetings, emails from or to City employees, notes, telephone records, reports.
Tokens prepared for LDA: ['information', 'associate', 'storm', 'water', 'problem', 'example', 'record', 'involve', 'internal', 'and/or', 'external', 'meeting', 'email', 'employee', 'telephone', 'record', 'report']
Original Request: Building inspections, clearances, reports, approvals; fire inspections, clearances, reports, approvals for {} from Jan. 1, 1980 to present.
Tokens prepared for LDA: ['building', 'inspection', 'clearance', 'report', 'approval', 'inspection', 'clearance', 'report', 'approval', 'january', 'present']
Original Request: All information on the property at {adress removed}. Specifically, all the reports and decisions from the OMB and also City Staff Reports from City Planning, including tables and appendices of each respective report.
Tokens prepared for LDA: ['information', 'property', 'adress', 'removed}.', 'specifically', 'report', 'decision', 'staff', 'report', 'planning', 'include', 'table', 'appendix', 'respective', 'report']
Original Request: For the Festival Management Committee, amounts received to date from the City since inception; amounts received from the province since inception of Ontario. All debts incurred to date. All persons on payroll since inception. Structural / model of corp
Tokens prepared for LDA: ['festival', 'management', 'committee', 'receive', 'inception', 'receive', 'province', 'inception', 'ontario', 'incur', 'person', 'payroll', 'inception', 'structural', 'model']
Original Request: A copy of ML&S inspection and investigation report for Vaso Dryclean and Alterations at 225 Mcrae Dr. from 2017 to present.
Tokens prepared for LDA: ['inspection', 'investigation', 'report', 'dryclean', 'alteration', 'mcrae', 'present']
Original Request: A copy of rooming house licensing folder for {.}
Tokens prepared for LDA: ['house', 'license', 'folder']
Original Request: Building permits for the new house construction at {.}. Record search from June 1, 2017 to Dec.1, 2017.
Tokens prepared for LDA: ['building', 'permit', 'house', 'construction', 'record', 'search', 'dec.1']
Original Request: A copy of fire services inspection reports and orders for {.}. Record search from Jan. 1, 2015 to Feb. 28, 2018.
Tokens prepared for LDA: ['service', 'inspection', 'report', 'order', 'record', 'search', 'january', 'february']
Original Request: Details of original complaint related to noisy animal complaint under file # A18-008447 dated Feb. 19, 2018
Tokens prepared for LDA: ['details', 'original', 'complaint', 'relate', 'noisy', 'animal', 'complaint', '008447', 'february']
Original Request: All records relating to dog Ally owned by {} including but not limited to a bite incident that occurred in Dec. 2017. Please include that dog bite incident report as well as overall record with Animal Services.
Tokens prepared for LDA: ['record', 'relate', 'include', 'limit', 'incident', 'occur', 'december', 'include', 'incident', 'report', 'overall', 'record', 'animal', 'services']
Original Request: Any documents related to the agreement between the City of Toronto and TMAC (Toronto Media Arts Cluster), specifically the conditions that TMAC must meet in order to continue occupying and utilizing the space at 36 Lisgar St.
Tokens prepared for LDA: ['document', 'relate', 'agreement', 'toronto', 'toronto', 'medium', 'cluster', 'specifically', 'condition', 'order', 'continue', 'occupy', 'utilize', 'space', 'lisgar']
Original Request: All building permit documents (excluding inspections) for the new development on 944 Queen St. W. Please include site plans, sanitary sewer drawings, water main drawings, engineering drawings, deep foundation drawings, connection services
Tokens prepared for LDA: ['build', 'permit', 'document', 'exclude', 'inspection', 'development', 'queen', 'include', 'sanitary', 'sewer', 'drawing', 'water', 'drawing', 'engineer', 'drawing', 'foundation', 'drawing', 'connection', 'service']
Original Request: Number of times a person called the city or filed a complaint against {.} or against her dog. Record search from Jan. 1, 2015 to March 1, 2018.
Tokens prepared for LDA: ['number', 'person', 'complaint', 'record', 'search', 'january', 'march']
Original Request: All incident reports of Seaton House from Jan.-Feb. 2018. Any other reports submitted by Seaton House to SSHA about {} from Jan. - Feb. 2018.
Tokens prepared for LDA: ['incident', 'report', 'seaton', 'house', 'jan.-feb', 'report', 'submit', 'seaton', 'house', 'january', 'february']
Original Request: A copy of building inspection report for {.} Scarborough by Building Inspector Samir Hinnawi on Aug. 24, 2016. Record search from Aug. 24, 2016 to Sept. 30, 2016.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'scarborough', 'building', 'inspector', 'samir', 'hinnawi', 'august', 'record', 'search', 'august', 'september']
Original Request: A copy of animal services file under # A18-010251.
Tokens prepared for LDA: ['animal', 'service', '010251']
Original Request: A copy of backflow permit issued for {} in 2013. Record search from Jan. 1, 2013 to Dec. 31, 2013.
Tokens prepared for LDA: ['backflow', 'permit', 'issue', 'record', 'search', 'january', 'december']
Original Request: A copy of RFQ # 0208-17-0322
Tokens prepared for LDA: []
Original Request: With respect to permit # 2013-182444 BLD 00 SR, all records including permits, inspection and correspondence for {.} from Jan. 1, 2013 to July 1, 2017.
Tokens prepared for LDA: ['respect', 'permit', '182444', 'record', 'include', 'permit', 'inspection', 'correspondence', 'january']
Original Request: All existing information from Waterfront Secretariat about the cost of the Sherbourne Common playground [opened January 2011], including the names of the playground equipment supply companies, and the funding sources.
Tokens prepared for LDA: ['exist', 'information', 'waterfront', 'secretariat', 'sherbourne', 'common', 'playground', 'january', 'include', 'playground', 'equipment', 'supply', 'company', 'source']
Original Request: Documentation concerning the City's rejection of development proposal concerning 960-968 Eastern Ave in Jul. 2007.
Tokens prepared for LDA: ['documentation', 'concern', 'rejection', 'development', 'proposal', 'concern', 'eastern']
Original Request: Records of payments made to the City of Toronto from Triple M Metal Recyclers (located at 80 Sinnott Rd) for scrap metal deposited from City of Toronto, PF&R Nashdene Yard. Record search from Oct. 1, 2017 to Dec. 30, 2017.
Tokens prepared for LDA: ['record', 'payment', 'toronto', 'triple', 'metal', 'recyclers', 'locate', 'sinnott', 'scrap', 'metal', 'deposit', 'toronto', 'nashdene', 'record', 'search', 'october', 'december']
Original Request: 1. Record of the total number of tickets processed by the Administrative Penalty Tribunal (APT) from Aug. 28, 2017 to Mar. 2, 2018; 2. The number of convictions registered by APT Screening Officers; 3. The number of convictions which were disputed etc.
Tokens prepared for LDA: ['record', 'total', 'ticket', 'process', 'administrative', 'penalty', 'tribunal', 'august', 'march', 'conviction', 'register', 'screening', 'officer', 'conviction', 'dispute']
Original Request: A copy of ML&S investigation report for the heating issue at {.,} under reference # 4595041, May 3, 2017.
Tokens prepared for LDA: ['investigation', 'report', 'issue', 'reference', '4595041']
Original Request: Written submission by Liberty Entertainment Group aka The Guarantor/1309320 Ontario Inc. in response to RFP issued on May 1, 2013 by Casa Loma Corp. relating to Casa Loma.
Tokens prepared for LDA: ['write', 'submission', 'liberty', 'entertainment', 'group', 'guarantor/1309320', 'ontario', 'response', 'issue', 'corp.', 'relate']
Original Request: All e-mails sent or received by Karen Stintz and J.P. Boutros in their capacity as TTC Chair and advisor to the TTC chair regarding a subway or an LRT in Scarborough. Records search from Jan. 1, 2012 to Nov. 1, 2013.
Tokens prepared for LDA: ['receive', 'karen', 'stintz', 'boutros', 'capacity', 'chair', 'advisor', 'chair', 'regard', 'subway', 'scarborough', 'record', 'search', 'january', 'november']
Original Request: Full police report concerning the discovery of the body of {} on Feb. 6, 2018 at {.}.
Tokens prepared for LDA: ['police', 'report', 'concern', 'discovery', 'february']
Original Request: The number of students that are transferred within the TDSB, from one grade to another via the right to pass policy based on race and how many of this number complete the grade 12 level. Record search from 2005 to 2018.
Tokens prepared for LDA: ['student', 'transfer', 'grade', 'right', 'policy', 'complete', 'grade', 'level', 'record', 'search']
Original Request: A copy of fire inspection records and ML&S reports for {} from Jan. 1, 2015 to Apr. 1, 2015.
Tokens prepared for LDA: ['inspection', 'record', 'report', 'january', 'april']
Original Request: Any records held in any form; electronic or otherwise, or documents containing the following information: the construction of the Alexandra Park Co-op Housing Complex and Atkinson Housing Complex in Toronto, including but not limited to notes, memoranda, etc.
Tokens prepared for LDA: ['record', 'electronic', 'document', 'contain', 'follow', 'information', 'construction', 'alexandra', 'housing', 'complex', 'atkinson', 'housing', 'complex', 'toronto', 'include', 'limit', 'memorandum']
Original Request: A copy of dog bite report for the incident which occurred on September 8, 2015 within the area of Broadview Ave. and Cosburn Ave., involving {} who was attacked.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'september', 'broadview', 'cosburn', 'involve', 'attack']
Original Request: Record of any complaints with respect to the condition of the sidewalk between 65 and 93 (southside) The Westway at Trehorne Dr., including and reports of personal injuries sustained. Record search from Jan. 2013 to present.
Tokens prepared for LDA: ['record', 'complaint', 'respect', 'condition', 'sidewalk', 'southside', 'westway', 'trehorne', 'include', 'report', 'personal', 'injury', 'sustain', 'record', 'search', 'january', 'present']
Original Request: In relation to damage and loss caused to property at {.} during the winter of 2013, the following records are requested: (a) A copy of the City¿s inspection records including notes. records, and reports relating to the trees etc.
Tokens prepared for LDA: ['relation', 'damage', 'cause', 'property', 'winter', 'follow', 'record', 'request', 'city¿s', 'inspection', 'record', 'include', 'record', 'report', 'relate']
Original Request: A copy of video footage in the waiting room and laundry area of 129 Peter St. Referral Centre of theft activity under Go#1599101 from approximately 2 AM to 6 AM on Sep. 16, 2015.
Tokens prepared for LDA: ['video', 'footage', 'laundry', 'peter', 'referral', 'centre', 'theft', 'activity', 'go#1599101', 'approximately', 'september']
Original Request: A list of all holistic and naturopathic companies that have been charged or convicted of bylaw licensing infractions in the past 10 years, detailing the reason for each instance of a charge. Record search from Jan. 1, 2005 to Jan. 1, 2015.
Tokens prepared for LDA: ['holistic', 'naturopathic', 'company', 'charge', 'convict', 'bylaw', 'license', 'infraction', 'reason', 'instance', 'charge', 'record', 'search', 'january', 'january']
Original Request: Record of any traffic study or reports pertaining to road and intersection design at the intersection of Lakeshore Blvd. W. and Bay St., from Jul. 3, 2008 to Jul. 3, 2013.
Tokens prepared for LDA: ['record', 'traffic', 'study', 'report', 'pertain', 'intersection', 'design', 'intersection', 'lakeshore']
Original Request: A copy of master contract between the City of Toronto and NORR Limited for the "Union Station Revitalization Project". NORR was hired as the City's Prime Consultant and was retained to provide structural, architectural, mechanical, and electrical designs.
Tokens prepared for LDA: ['master', 'contract', 'toronto', 'limited', 'union', 'station', 'revitalization', 'project', 'prime', 'consultant', 'retain', 'provide', 'structural', 'architectural', 'mechanical', 'electrical', 'design']
Original Request: A copy of parking pad application and approval for {}. Driveway is mutually shared between these two properties. Record search from Jan. 1, 1989 to present.
Tokens prepared for LDA: ['application', 'approval', 'driveway', 'mutually', 'share', 'property', 'record', 'search', 'january', 'present']
Original Request: Copies of all inspection notes and reports pertaining to {} permit #14117308 BLD 00 SR. Record search for the year 2014.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'pertain', 'permit', '14117308', 'record', 'search']
Original Request: Documents and permits for renovations done at {} during the months of May to October 1983.
Tokens prepared for LDA: ['document', 'permit', 'renovation', 'month', 'october']
Original Request: Record of taxes charged in 2013 and 2014 for property located at 2 Park Vista Dr.
Tokens prepared for LDA: ['record', 'taxis', 'charge', 'property', 'locate', 'vista']
Original Request: In electronic format: the number of auctioned off street signs since the beginning of this process. Detailing the signage (wording) on each sign i.e. Queen St W.; the unit selling price for each sign; the date of sale and the total dollar amount of sales.
Tokens prepared for LDA: ['electronic', 'format', 'auction', 'street', 'begin', 'process', 'detailing', 'signage', 'queen', 'price', 'total', 'dollar']
Original Request: Record of any and all calls made to 311 and the Toronto Parking Authorities regarding illegal parking or other issues at {} from Jan. 30, 2010 to Oct. 4, 2015.
Tokens prepared for LDA: ['record', 'toronto', 'parking', 'authorities', 'regard', 'illegal', 'issue', 'january', 'october']
Original Request: A copy of enforcement and compliance records on file folder # 13 227772 PRS 00 IV.
Tokens prepared for LDA: ['enforcement', 'compliance', 'record', 'folder', '227772']
Original Request: All documents (reports, briefing notes, officers notes etc.) in relation to {} including but not limited to: e-mails, complaints, audits or other documents in written and electronic form pertaining to any property standards issues etc.
Tokens prepared for LDA: ['document', 'report', 'brief', 'officer', 'relation', 'include', 'limit', 'complaint', 'audit', 'document', 'write', 'electronic', 'pertain', 'property', 'standard', 'issue']
Original Request: A complete copy of file pertaining to exemption granted to {} of {} under subsection 681-11 (S) of the Toronto Municipal Code, Chapter 681, Sewers on May 14, 2014. Including a copy of the application, investigation notes etc.
Tokens prepared for LDA: ['complete', 'pertain', 'exemption', 'grant', 'subsection', 'toronto', 'municipal', 'chapter', 'sewer', 'include', 'application', 'investigation']
Original Request: A copy of fire inspection report for {}. Record search from 2006 to present.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'present']
Original Request: A copy of written documentation of report/final findings made by Property Standards Inspector Michael Di Cicco in regards to ML&S service request (reference number is 3557684) 311 on September 4, 2015.
Tokens prepared for LDA: ['write', 'documentation', 'report', 'final', 'finding', 'property', 'standard', 'inspector', 'michael', 'cicco', 'regard', 'service', 'request', 'reference', '3557684', 'september']
Original Request: Any orders (by-law or otherwise) issued by the city with respect to {}. Record search from Jun. 30, 2011 to Oct. 5, 2015; the entire property standards file (even issues that have been closed off) for {} from June 30, 2011.
Tokens prepared for LDA: ['order', 'issue', 'respect', 'record', 'search', 'october', 'entire', 'property', 'standard', 'issue', 'close']
Original Request: Records/evidence showing that the water pipes at {} were replaced by the City 2010 - 2015 and what material they were replaced with.
Tokens prepared for LDA: ['record', 'evidence', 'water', 'replace', 'material', 'replace']
Original Request: All notes, documents and orders resulting from inspection of apartment {.}. Record search from Sep. 2014 to present.
Tokens prepared for LDA: ['document', 'order', 'result', 'inspection', 'apartment', 'record', 'search', 'september', 'present']
Original Request: Copies of ML&S (ref. # 3528755) and Toronto Public Health reports in relation to dog bite incident which occurred on August 20, 2015 at the Goodstone Park/Kingslake Pubic School involving {} and {} who were attacked.
Tokens prepared for LDA: ['copy', '3528755', 'toronto', 'public', 'health', 'report', 'relation', 'incident', 'occur', 'august', 'goodstone', 'kingslake', 'pubic', 'school', 'involve', 'attack']
Original Request: In relation to a claim for Accident Benefits and damages for personal injuries sustained by {} who was involved in a motor vehicle accident on July 15, 2015 on Eglinton Avenue West by Dufferin Street (WB), requesting SWMS records.
Tokens prepared for LDA: ['relation', 'claim', 'accident', 'benefit', 'damage', 'personal', 'injury', 'sustain', 'involve', 'motor', 'vehicle', 'accident', 'eglinton', 'avenue', 'dufferin', 'street', 'request', 'record']
Original Request: 1. A copy of the itemized list of the accounting that applies to the Sorauren Park 20th anniversary celebration fee (event date: Sept.26, 2015). The fee was upwards of $1000 but there was no obvious sign of city staff on site during the event.
Tokens prepared for LDA: ['itemize', 'account', 'apply', 'sorauren', 'anniversary', 'celebration', 'event', 'sept.26', 'upwards', 'obvious', 'staff', 'event']
Original Request: Copies of all records in the possession of the City of Toronto (including but not limited to all memos and e-mails from Olga Kusztelska and Carlos Matos of the City of Toronto Business & Trade Unit, in and around 2006 etc.
Tokens prepared for LDA: ['copy', 'record', 'possession', 'toronto', 'include', 'limit', 'kusztelska', 'carlos', 'matos', 'toronto', 'business', 'trade']
Original Request: Record of all speeches prepared for Mayor John Tory that ended up not delivered.
Tokens prepared for LDA: ['record', 'speech', 'prepare', 'mayor', 'deliver']
Original Request: A hard copy of the CCMM quote submitted in response to RFQ: Contract 2012-15: RFQ 7002-12-7014 of Toronto Public Health. Record search Jan. 1, 2014 to Jun. 1, 2014.
Tokens prepared for LDA: ['quote', 'submit', 'response', 'contract', 'toronto', 'public', 'health', 'record', 'search', 'january']
Original Request: Record identifying the name of the individual who contacted the City to have property located at {} inspected by ML&S.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'contact', 'property', 'locate', 'inspect', 'ml&s.']
Original Request: Record of taxes charged in 2013 and 2014 for property located at 6 Park Vista Dr.
Tokens prepared for LDA: ['record', 'taxis', 'charge', 'property', 'locate', 'vista']
Original Request: Record of taxes charged in 2013 and 2014 for property located at 7 Park Vista Dr.
Tokens prepared for LDA: ['record', 'taxis', 'charge', 'property', 'locate', 'vista']
Original Request: Record of taxes charged in 2013 and 2014 for property located at 8 Park Vista Dr.
Tokens prepared for LDA: ['record', 'taxis', 'charge', 'property', 'locate', 'vista']
Original Request: A copy of work order or document showing the date road sign related to 311 Case Number 3489525 was fixed. Record search from May 18, 2015 to August 12, 2015.
Tokens prepared for LDA: ['order', 'document', 'relate', 'number', '3489525', 'record', 'search', 'august']
Original Request: A copy of work order pertaining to pending between {}. Record search Jan. 2014 to Dec. 2014.
Tokens prepared for LDA: ['order', 'pertain', 'record', 'search', 'january', 'december']
Original Request: A copy of the following documents, electronic or otherwise, concerning property records between 3199 Lakeshore Blvd. W., Humber College Lake Shore campus and chairman of Burnac Corporation. This includes but is not limited
Tokens prepared for LDA: ['follow', 'document', 'electronic', 'concern', 'property', 'record', 'lakeshore', 'humber', 'college', 'shore', 'campus', 'chairman', 'burnac', 'corporation', 'include', 'limit']
Original Request: A copy of Animal Services file pertaining to dog bite incident, No. A15-033153. Record search from Sep. 18, 2015 to Sep. 23, 2015.
Tokens prepared for LDA: ['animal', 'services', 'pertain', 'incident', '033153', 'record', 'search', 'september', 'september']
Original Request: Any and all records pertaining to {} as a grow-op or drug house. Including violations, complaints, outstanding work orders and remediation records. Record search from Jan. 1, 2004 to Oct. 1, 2015.
Tokens prepared for LDA: ['record', 'pertain', 'house', 'include', 'violation', 'complaint', 'outstanding', 'order', 'remediation', 'record', 'record', 'search', 'january', 'october']
Original Request: Copies of investigative reports regarding {}, inspected by Ratna Pardal and Charlene Tait. Record search Sep. 1, 2015 to Sep. 30, 2015.
Tokens prepared for LDA: ['copy', 'investigative', 'report', 'regard', 'inspect', 'ratna', 'pardal', 'charlene', 'record', 'search', 'september', 'september']
Original Request: Any document (s) or letter (s) indicating the permitted-use for 3553 Lawrence Ave as it pertains to the sale of propane cylinders. Record search from Jan. 1, 2001 to Oct. 1, 2015.
Tokens prepared for LDA: ['document', 'letter', 'indicate', 'permit', 'lawrence', 'pertain', 'propane', 'cylinder', 'record', 'search', 'january', 'october']
Original Request: Documents, communications and or reports sent or received in September 2015, regarding the Billy Bishop Toronto City Airport from: Peter Bianconi of Bianconi and Associates, Christopher Doan of CAVOK Group, and or Paul J. Brown or Natalie Dash of Campbell Strategies to or from Waterfront Secretariat, and the following members of Council or their offices: Bailao, Crawford, De Baeremaeker, Di Giorgio, Matlow, McMahon, Pasternak, Shiner, Colle, Cho, Grimes, Layton, Fletcher. Record search from Sep. 1, 2015 to Sep. 30, 2015.
Tokens prepared for LDA: ['document', 'communication', 'report', 'receive', 'september', 'regard', 'billy', 'bishop', 'toronto', 'airport', 'peter', 'bianconi', 'bianconi', 'associate', 'christopher', 'cavok', 'group', 'brown', 'natalie', 'campbell', 'strategy', 'waterfront', 'secretariat', 'follow', 'member', 'council', 'office', 'bailao', 'crawford', 'baeremaeker', 'giorgio', 'matlow', 'mcmahon', 'pasternak', 'shiner', 'colle', 'grime', 'layton', 'fletcher', 'record', 'search', 'september', 'september']
Original Request: All building records and inspection notes pertaining to permitted works performed at {}.
Tokens prepared for LDA: ['build', 'record', 'inspection', 'pertain', 'permit', 'perform']
Original Request: Copies of all Toronto Water reports pertaining to water shut-off and re-instatement at {}, including the name of the person who made the shut-off request.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'report', 'pertain', 'water', 'instatement', 'include', 'person', 'request']
Original Request: Copies of all documents in relation to building permit #209659, issued in 1984.
Tokens prepared for LDA: ['copy', 'document', 'relation', 'build', 'permit', '209659', 'issue']
Original Request: A complete copy of ML&S file and records of 311 calls, in relation to {} from May 1, 2013 to April 31, 2015.
Tokens prepared for LDA: ['complete', 'record', 'relation', 'april']
Original Request: Record of Public Health inspection records in relation to the habitability of {}. Inspection completed Sep. 25, 2015.
Tokens prepared for LDA: ['record', 'public', 'health', 'inspection', 'record', 'relation', 'habitability', 'inspection', 'complete', 'september']
Original Request: All ML&S records regarding {}, including: officer notes, orders issued, warnings issued, contact reports, signings, and if available, reasons for closure of orders issued. Record search Jan. 1, 2012 to Sep. 1, 2015.
Tokens prepared for LDA: ['record', 'regard', 'include', 'officer', 'order', 'issue', 'warning', 'issue', 'contact', 'report', 'signing', 'available', 'reason', 'closure', 'order', 'issue', 'record', 'search', 'january', 'september']
Original Request: All ML&S records regarding {}, including: officer notes, orders issued, warnings issued, contact reports, signings, and if available, reasons for closure of orders issued. Record search Jan. 1, 2012 to Sep. 1, 2015.
Tokens prepared for LDA: ['record', 'regard', 'include', 'officer', 'order', 'issue', 'warning', 'issue', 'contact', 'report', 'signing', 'available', 'reason', 'closure', 'order', 'issue', 'record', 'search', 'january', 'september']
Original Request: All ML&S records regarding {}, including: officer notes, orders issued, warnings issued, contact reports, signings, and if available, reasons for closure of orders issued. Record search Jan. 1, 2012 to Sep. 1, 2015.
Tokens prepared for LDA: ['record', 'regard', 'include', 'officer', 'order', 'issue', 'warning', 'issue', 'contact', 'report', 'signing', 'available', 'reason', 'closure', 'order', 'issue', 'record', 'search', 'january', 'september']
Original Request: A complete copy fire inspection and investigative regarding file the matter of possible "rooming house" accommodations at {}, including accuser name, and the complete report. Inspected by Matthew Harper on Oct. 7, 2015.
Tokens prepared for LDA: ['complete', 'inspection', 'investigative', 'regard', 'possible', 'house', 'accommodation', 'include', 'accuser', 'complete', 'report', 'inspect', 'matthew', 'harper', 'october']
Original Request: Record of all notes/violation letters for {} regarding follow-up from Municipal Licensing and Property Standards & Public Health into cockroach and bedbug infestation. Record search from Sep. 10, 2015 to present.
Tokens prepared for LDA: ['record', 'violation', 'letter', 'regard', 'follow', 'municipal', 'license', 'property', 'standard', 'public', 'health', 'cockroach', 'bedbug', 'infestation', 'record', 'search', 'september', 'present']
Original Request: A complete copy of building file for {} including committee of adjustment variances. Record search from Jan. 1, 1998 to Oct. 1, 2015.
Tokens prepared for LDA: ['complete', 'build', 'include', 'committee', 'adjustment', 'variance', 'record', 'search', 'january', 'october']
Original Request: Specifications and all other relevant material, documents and permits for {} in relation to garage repair. Record search from Jan. 2012 to present.
Tokens prepared for LDA: ['specification', 'relevant', 'material', 'document', 'permit', 'relation', 'garage', 'repair', 'record', 'search', 'january', 'present']
Original Request: Specifications and all other relevant material, documents and permits for {} in relation to garage repair. Record search from Jan. 2012 to present.
Tokens prepared for LDA: ['specification', 'relevant', 'material', 'document', 'permit', 'relation', 'garage', 'repair', 'record', 'search', 'january', 'present']
Original Request: Record identifying the person(s) who has complained about zoning compliance at {}. Record search from Jan. 1, 2015 to Oct. 9, 2015.
Tokens prepared for LDA: ['record', 'identify', 'person(s', 'complain', 'compliance', 'record', 'search', 'january', 'october']
Original Request: Pertaining to shelter operated at 973 Lansdown by Christie Ossington Neighbourhood Centre (CONC) the following documents are requested: (1) The last three years' of reports under 3.3 of the Shelter Standards Act (Financial Accountability) etc.
Tokens prepared for LDA: ['pertain', 'shelter', 'operate', 'lansdown', 'christie', 'ossington', 'neighbourhood', 'centre', 'follow', 'document', 'request', 'report', 'shelter', 'standard', 'financial', 'accountability']
Original Request: Any and all notes, e-mails, documents, and any other records with the words {} and/or {}. Record search from Jan. 1, 2014 to Oct. 8, 2015.
Tokens prepared for LDA: ['document', 'record', 'and/or', 'record', 'search', 'january', 'october']
Original Request: Record of any information or reports from City staff regarding any reports of flood or sewage back up pertaining to property located at (). Record search from Sep. 9, 2015 to Oct. 9, 2015.
Tokens prepared for LDA: ['record', 'information', 'report', 'staff', 'regard', 'report', 'flood', 'sewage', 'pertain', 'property', 'locate', 'record', 'search', 'september', 'october']
Original Request: A copy of building permit issued for the lowering of basement floor at {}.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'lower', 'basement', 'floor']
Original Request: A copy of ML&S incident report on activity number A14-032669.
Tokens prepared for LDA: ['incident', 'report', 'activity', '032669']
Original Request: All records of currently valid on-street parking permits issued for {.} in Toronto, specifically the vehicle license numbers for which each of those permits have been issued and the amount paid for each permit.
Tokens prepared for LDA: ['record', 'currently', 'valid', 'street', 'permit', 'issue', 'toronto', 'specifically', 'vehicle', 'license', 'number', 'permit', 'issue', 'permit']
Original Request: All Toronto Water inspector's notes related to service requests for {}, ref. # - 362 0434 & 360-6313. Record search from Sep. 28, 2015 to Oct. 13, 2015.
Tokens prepared for LDA: ['toronto', 'water', 'inspector', 'relate', 'service', 'request', 'record', 'search', 'september', 'october']
Original Request: Copies of pages 9-20 & p. 23 of disclosed FOI request 2015-00780 and any other notes /pages as of Oct. 2, 2015. Original request filed by {}. Record search from Jan. 1, 2015 to Oct. 9, 2015.
Tokens prepared for LDA: ['copy', 'disclose', 'request', '00780', '/pages', 'october', 'original', 'request', 'record', 'search', 'january', 'october']
Original Request: A copy of permit related to permission issued to injure private tree at {} including the report for documents related to waterproofing repairs.
Tokens prepared for LDA: ['permit', 'relate', 'permission', 'issue', 'injure', 'private', 'include', 'report', 'document', 'relate', 'waterproof', 'repair']
Original Request: Any information on record concerning outstanding work orders or deficiency notices with respect to Roest Holdings Inc. operating as The Fitness Institute from the premises of 2235 Sheppard Ave. E.
Tokens prepared for LDA: ['information', 'record', 'concern', 'outstanding', 'order', 'deficiency', 'notice', 'respect', 'roest', 'holding', 'operate', 'fitness', 'institute', 'premise', 'sheppard']
Original Request: Copies of investigative notes and reports in relation to ref.# 3579786 and 3578233.
Tokens prepared for LDA: ['copy', 'investigative', 'report', 'relation', '3579786', '3578233']
Original Request: Water maintenance records pertaining to {} following sewer back-up which occurred at or near the property: a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: Water maintenance records pertaining to {} following sewer back-up and or water main failure which occurred at or near the property: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s)/water mains.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'water', 'failure', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s)/water']
Original Request: A copy of permit application and decision, to injure or destroy trees (private and City-owned at {}, in relation to construction on the property. Record search Jan. 1, 2014 to Oct. 8, 2015.
Tokens prepared for LDA: ['permit', 'application', 'decision', 'injure', 'destroy', 'private', 'relation', 'construction', 'property', 'record', 'search', 'january', 'october']
Original Request: All documents and permits for house extension at {}.
Tokens prepared for LDA: ['document', 'permit', 'house', 'extension']
Original Request: A complete copy of building file including committee of adjustment variance records for {.} from 1920 to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'committee', 'adjustment', 'variance', 'record', 'present']
Original Request: A documents related to the property size and/or boundaries for {} from 1900's to Jan. 1, 1948.
Tokens prepared for LDA: ['document', 'relate', 'property', 'and/or', 'boundary', 'january']
Original Request: A copy of 2015 complaint record pertaining to dog barking at {} ref. # 3292305.
Tokens prepared for LDA: ['complaint', 'record', 'pertain', '3292305']
Original Request: Copies of files 14-209452 and 15-161083 in relation to {}. Record search from Jan. 2014 to Sep. 2015.
Tokens prepared for LDA: ['copy', '209452', '161083', 'relation', 'record', 'search', 'january', 'september']
Original Request: Record of all documents related to {} which confirm the building/home category and occupancy type as a duplex. Record search from 1988 to present.
Tokens prepared for LDA: ['record', 'document', 'relate', 'confirm', 'build', 'category', 'occupancy', 'duplex', 'record', 'search', 'present']
Original Request: Copies of all documents related to flooding at {} in Jan. 2003. Record search from Jan. 1, 2002 to Dec. 31, 2004.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'flood', 'january', 'record', 'search', 'january', 'december']
Original Request: A copy of taxi inspection report for standard license plate # 00137, owned by {}. Inspection performed on May 10, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'standard', 'license', 'plate', '00137', 'inspection', 'perform']
Original Request: A list of claims made against PFR, in relation to National Post article on September 19, 2015 by Chris Selley which held the following quote: "Between 2010 and 2014 the parks department alone faced a staggering 2,749 claims for personal injury.
Tokens prepared for LDA: ['claim', 'relation', 'national', 'article', 'september', 'chris', 'selley', 'follow', 'quote', 'department', 'stagger', '2,749', 'claim', 'personal', 'injury']
Original Request: A list of claims made against PFR, in relation to National Post article on September 19, 2015 by Chris Selley which held the following quote: "Between 2010 and 2014 the parks department alone faced a staggering 2,749 claims for personal injury.
Tokens prepared for LDA: ['claim', 'relation', 'national', 'article', 'september', 'chris', 'selley', 'follow', 'quote', 'department', 'stagger', '2,749', 'claim', 'personal', 'injury']
Original Request: A copy of notice of violation issued to the Lakeview Life Care Centre at 46 The Queensway in Feb. 2015.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'lakeview', 'centre', 'queensway', 'february']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code..
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Any and all records pertaining to {} as a grow-op or drug house. Including violations, complaints, outstanding work orders and remediation records.
Tokens prepared for LDA: ['record', 'pertain', 'house', 'include', 'violation', 'complaint', 'outstanding', 'order', 'remediation', 'record']
Original Request: A copy of decision (Form 506) of September 27 1988 meeting of Scarborough Committee of Adjustments for Variance A88247 (A88/247) relating to {} Lot 6 R.P. 5254. Including the related survey that was submitted with the original application.
Tokens prepared for LDA: ['decision', 'september', 'scarborough', 'committee', 'adjustment', 'variance', 'a88247', 'a88/247', 'relate', 'include', 'relate', 'survey', 'submit', 'original', 'application']
Original Request: A copy of mold/pest inspection report for {} conducted on April 7, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'conduct', 'april']
Original Request: Record of the addresses and ownership details of all of the registered clothing drop-box locations in Toronto. Record search from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['record', 'address', 'ownership', 'register', 'clothe', 'location', 'toronto', 'record', 'search', 'january', 'present']
Original Request: Video footage from security cameras at the Green P (Toronto Parking Authority) at 20 Charles Street East, M4Y 1T1. Record search from May 2, 2015 to May 4, 2015.
Tokens prepared for LDA: ['video', 'footage', 'security', 'camera', 'green', 'toronto', 'parking', 'authority', 'charles', 'street', 'record', 'search']
Original Request: All tickets given out in Toronto under the Ontario Safe Streets Act from Jan. 1, 2014 to Nov. 30, 2015.
Tokens prepared for LDA: ['ticket', 'toronto', 'ontario', 'street', 'january', 'november']
Original Request: All records of noise complaints pertaining to construction at {}, from May 1, 2015 to August 31, 2015.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'pertain', 'construction', 'august']
Original Request: A copy of Committee of Adjustment file No. B0121/05TEY from 2005 to 2007.
Tokens prepared for LDA: ['committee', 'adjustment', 'b0121/05tey']
Original Request: A copy of Fire Services inspection report for {}. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['services', 'inspection', 'report', 'record', 'search', 'january', 'present']
Original Request: A copy of property maintenance inspection records related to deficiencies at {} including photographs, work orders reports and actual complaints. Record search from 2010 to present.
Tokens prepared for LDA: ['property', 'maintenance', 'inspection', 'record', 'relate', 'deficiency', 'include', 'photograph', 'order', 'report', 'actual', 'complaint', 'record', 'search', 'present']
Original Request: A copy of petition submitted for the removal of "no parking" sign by {} of {} to Councillor Justin Di Ciano and/or transportation services sometime August, 2015.
Tokens prepared for LDA: ['petition', 'submit', 'removal', 'councillor', 'justin', 'ciano', 'and/or', 'transportation', 'service', 'august']
Original Request: A copy of building inspection and Municipal Licensing complaint records with respect to {}.
Tokens prepared for LDA: ['build', 'inspection', 'municipal', 'license', 'complaint', 'record', 'respect']
Original Request: A copy of zoning investigation regarding {} in reference to 311 ref. no. 3116925. Inspections conducted by James Slocum and Manzurul Hoque. Record search from Jan. 1, 2015 to Oct. 15, 2015.
Tokens prepared for LDA: ['investigation', 'regard', 'reference', '3116925', 'inspection', 'conduct', 'james', 'slocum', 'manzurul', 'hoque', 'record', 'search', 'january', 'october']
Original Request: Copies of all ML&S notes, reports, photos and related materials with regards to {} from Jan. 1m 2015 to Oct. 13, 2015.
Tokens prepared for LDA: ['copy', 'report', 'photo', 'relate', 'material', 'regard', 'january', 'october']
Original Request: All complaint records for {} on issues of tree cutting, construction and issues of noise on the property. Record search from Mar. 2007 to Oct. 1, 2015.
Tokens prepared for LDA: ['complaint', 'record', 'issue', 'construction', 'issue', 'noise', 'property', 'record', 'search', 'march', 'october']
Original Request: Copies of street cleaning information and records for Queens Quay W., north side between lower Spadina Ave. and Bathurst St., specifically in close proximately to the U-turn by Yoyo Ma Lane, during construction work between Jan. 1, 2015 to June 15, 2015.
Tokens prepared for LDA: ['copy', 'street', 'clean', 'information', 'record', 'queens', 'north', 'spadina', 'bathurst', 'specifically', 'close', 'proximately', 'construction', 'january']
Original Request: Record of any zoning notices or related information related to {}. Ref. file # 13-274008 ZPR & 15-118099 ZPR. Record search 2013 to present.
Tokens prepared for LDA: ['record', 'notice', 'relate', 'information', 'relate', '274008', '118099', 'record', 'search', 'present']
Original Request: A copy of violation notice issued to {} in relation to ML&S investigation # 15 198948 ZON 00 IV. Record search from Jul. 1, 2015 to present.
Tokens prepared for LDA: ['violation', 'notice', 'issue', 'relation', 'investigation', '198948', 'record', 'search', 'present']
Original Request: A copy of inspection (camera drain) report regarding {} in relation to case # 362 8255.
Tokens prepared for LDA: ['inspection', 'camera', 'drain', 'report', 'regard', 'relation']
Original Request: A complete copy of Toronto Water file for {} in relation to Aug. 8, 2013 flood.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'relation', 'august', 'flood']
Original Request: Record of all building permits issued, including cancelled permits, for {} from Jan. 1, 2003 to the present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'include', 'cancel', 'permit', 'january', 'present']
Original Request: Any and all records in relation to {} from Feb. 14, 2015 to Sep. 30, 2015.
Tokens prepared for LDA: ['record', 'relation', 'february', 'september']
Original Request: Implementation agreement between Queens Quay West Land Corporation and The Corporation of the City of Toronto dated October 6, 1992 whereby ownership of certain harbourfront lands in the City of Toronto were transferred from federal to municipal.
Tokens prepared for LDA: ['implementation', 'agreement', 'queens', 'corporation', 'corporation', 'toronto', 'october', 'ownership', 'certain', 'harbourfront', 'toronto', 'transfer', 'federal', 'municipal']
Original Request: Record of warrants, tickets and arrests issued by Toronto Police Services for drug trafficking and possession between January 1, 2010 and December 31, 2015.
Tokens prepared for LDA: ['record', 'warrant', 'ticket', 'arrest', 'issue', 'toronto', 'police', 'services', 'traffic', 'possession', 'january', 'december']
Original Request: Database records of emergency responses by Toronto Fire Services between January 1, 2010 and December 31, 2015.
Tokens prepared for LDA: ['database', 'record', 'emergency', 'response', 'toronto', 'services', 'january', 'december']
Original Request: All inspection reports for clothing drop boxes/ clothing donation bins in relation and leading to infractions including, information on the owner of the bins and a description of the infraction. Record search form Jan. 1, 2005 to present.
Tokens prepared for LDA: ['inspection', 'report', 'clothe', 'boxes/', 'clothe', 'donation', 'relation', 'infraction', 'include', 'information', 'owner', 'description', 'infraction', 'record', 'search', 'january', 'present']
Original Request: A copy of building code consultant report prepared by Randall Brown & Associates for {} in relation to permit application # 10 162249. Record search from Jan. 1, 2009 to Dec. 31, 2011.
Tokens prepared for LDA: ['build', 'consultant', 'report', 'prepare', 'randall', 'brown', 'associate', 'relation', 'permit', 'application', '162249', 'record', 'search', 'january', 'december']
Original Request: A copy of permit applications and general review committee forms pertaining to file no. 15-220540 with regards to {}.
Tokens prepared for LDA: ['permit', 'application', 'general', 'review', 'committee', 'pertain', '220540', 'regard']
Original Request: A copy of fire inspection report for Canadian Clothing International Inc., at 541 Conlines Rd. on Oct. 15, 2013. Record search from Oct. 13 - 15, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'canadian', 'clothing', 'international', 'conlines', 'october', 'record', 'search', 'october']
Original Request: A complete copy of Animal Services file pertaining to dog bite incident involving {}, which occurred at {} on Sep. 17, 2015.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'pertain', 'incident', 'involve', 'occur', 'september']
Original Request: A complete copy of court file pertaining to case # {number removed} regarding {} and 7595611 Canada Corp.
Tokens prepared for LDA: ['complete', 'court', 'pertain', 'remove', 'regard', '7595611', 'canada', 'corp.']
Original Request: Copies of inspections notes and records for {} from Toronto Building, Toronto Fire, City Planning - Committee of Adjustment and ML&S. Record search from Jan. 1, 1945 to Jul. 1, 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'toronto', 'building', 'toronto', 'planning', 'committee', 'adjustment', 'ml&s.', 'record', 'search', 'january']
Original Request: Copies of all building documents related to second floor deck at {} from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['copy', 'build', 'document', 'relate', 'floor', 'january', 'present']
Original Request: Copies of all building documents related to second floor deck at {} from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['copy', 'build', 'document', 'relate', 'floor', 'january', 'present']
Original Request: Copies of all Toronto Fire documents including violations and inspections related to {} from as far back a possible to present.
Tokens prepared for LDA: ['copy', 'toronto', 'document', 'include', 'violation', 'inspection', 'relate', 'possible', 'present']
Original Request: Record of any applications to subdivide property at {}.
Tokens prepared for LDA: ['record', 'application', 'subdivide', 'property']
Original Request: A copy of work order #5734849.
Tokens prepared for LDA: ['order', '5734849']
Original Request: All records (dates included) relating to calls about a tree on the property of {} in 2009 and early 2010.
Tokens prepared for LDA: ['record', 'include', 'relate', 'property', 'early']
Original Request: Documentation of the status (closed or open) of orders 15 156619 PRS 00 IV & 029 666 342 CA issued to {} or any proof of remediation by the property owner. Record search from May 1, 2015 to Jul. 1, 2015.
Tokens prepared for LDA: ['documentation', 'status', 'close', 'order', '156619', 'issue', 'proof', 'remediation', 'property', 'owner', 'record', 'search']
Original Request: Record of any health infractions by high-rise building located at {} on issues of bed bug infestations etc. Record search from Jan. 1, 2013 to Dec. 31, 2014.
Tokens prepared for LDA: ['record', 'health', 'infraction', 'build', 'locate', 'issue', 'infestation', 'record', 'search', 'january', 'december']
Original Request: All planning department documents related to {}, also known as {}. Record search from Jan. 1, 1990 to Jan. 1, 2000.
Tokens prepared for LDA: ['department', 'document', 'relate', 'record', 'search', 'january', 'january']
Original Request: All correspondence between Real Estate Services, Policy & Appraisals and Etobicoke Community Planning related to the Section 37 contributions regarding the Stonegate development located at {}, Ward 5 Etobicoke-Lakeshore.
Tokens prepared for LDA: ['correspondence', 'estate', 'services', 'policy', 'appraisal', 'etobicoke', 'community', 'planning', 'relate', 'section', 'contribution', 'regard', 'stonegate', 'development', 'locate', 'etobicoke', 'lakeshore']
Original Request: A complete copy of file associated with Municipal Licensing & Standards, Service Request Number 3629011.
Tokens prepared for LDA: ['complete', 'associate', 'municipal', 'license', 'standard', 'service', 'request', 'number', '3629011']
Original Request: A complete copy of building file for {.} including permit, violations and all other written documentation from 2014 to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'permit', 'violation', 'write', 'documentation', 'present']
Original Request: All by-law complaints, including but not limited to 311 logs for calls made by {} and {} in relation to {}.
Tokens prepared for LDA: ['complaint', 'include', 'limit', 'relation']
Original Request: Copies of property standards investigation reports regarding {}.
Tokens prepared for LDA: ['copy', 'property', 'standard', 'investigation', 'report', 'regard']
Original Request: All communication (internal and external) relating to fire at {} on or about Sep. 6, 2015.
Tokens prepared for LDA: ['communication', 'internal', 'external', 'relate', 'september']
Original Request: All incident reports relating to the water and/or sewer main/pipe/service line failure at or near {} on or about September 24th, 2015.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'and/or', 'sewer', 'service', 'failure', 'september']
Original Request: Copies of fire and building inspection reports for {} including any similar submissions from the Electrical Safety Authority (ESA).
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'include', 'similar', 'submission', 'electrical', 'safety', 'authority']
Original Request: Copies of building inspection reports pertaining to permit # 11234422 PLB 00 PS; 11224422 DRN 00 DR & 11232244 BLD 00SR from Jan. 1, 2011 to Oct. 26, 2015 for {}.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'pertain', 'permit', '11234422', '11224422', '11232244', 'january', 'october']
Original Request: Copies of fire inspection reports for {} following a fire at the property on Sep. 25, 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'follow', 'property', 'september']
Original Request: Copies of fire inspection reports for {.} following a fire at the property on Sep. 25, 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'follow', 'property', 'september']
Original Request: Copies of fire inspection reports for {} in relation to permit #15 201508 BLD 00 SR. Record search from Sep. 3, 2015 to Oct. 26, 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relation', 'permit', '201508', 'record', 'search', 'september', 'october']
Original Request: A complete copy of Animal Services file pertaining to dog bite incident which occurred on Oct. 9, 2015, ref. file no. 1745383.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'pertain', 'incident', 'occur', 'october', '1745383']
Original Request: Record of any orders issued to {} with regards to any trees on or around the property. Record search from Jan. 1, 2013 to Sep. 15, 2015.
Tokens prepared for LDA: ['record', 'order', 'issue', 'regard', 'property', 'record', 'search', 'january', 'september']
Original Request: A list of all plumbing and mechanical/electrical contracts, heat and frost contracts awarded. The total amount of the tender awards, and the successful contractor as well as the application number, date, applicant, description of projected development.
Tokens prepared for LDA: ['plumb', 'mechanical', 'electrical', 'contract', 'frost', 'contract', 'award', 'total', 'tender', 'award', 'successful', 'contractor', 'application', 'applicant', 'description', 'project', 'development']
Original Request: A copy of Toronto Fire Services investigative file with regards to grow-op at {}. Record search from Jan. 1, 2008 to Dec. 31, 2008.
Tokens prepared for LDA: ['toronto', 'services', 'investigative', 'regard', 'record', 'search', 'january', 'december']
Original Request: In tabular electronic format: water testing sample results for the identification of fecal material or any other e-coli strains in the district of Toronto East York. Record search from 2010 to 2015.
Tokens prepared for LDA: ['tabular', 'electronic', 'format', 'water', 'sample', 'result', 'identification', 'fecal', 'material', 'strain', 'district', 'toronto', 'record', 'search']
Original Request: A copy, in digital form if possible, of the HRD consultant report on the SmartTrack Western Corridor Feasibility Review, any drafts of that report including marked changes and any additional material provided to the city.
Tokens prepared for LDA: ['digital', 'possible', 'consultant', 'report', 'smarttrack', 'western', 'corridor', 'feasibility', 'review', 'draft', 'report', 'include', 'change', 'additional', 'material', 'provide']
Original Request: A copy of sewer maintenance record and inspection report pertaining to {}. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'inspection', 'report', 'pertain', 'record', 'search', 'january', 'present']
Original Request: Copies of inspection reports from Toronto Fire and ML&S in relation to {}. Record search from Sep. 2014 to Oct. 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'toronto', 'relation', 'record', 'search', 'september', 'october']
Original Request: A copy of inspection records with respect to investigation at {} for demolition related soil erosion. Inspection performed on Oct. 21, 2015.
Tokens prepared for LDA: ['inspection', 'record', 'respect', 'investigation', 'demolition', 'relate', 'erosion', 'inspection', 'perform', 'october']
Original Request: Record of water shut off at {} on or about Jan. 24, 2012.
Tokens prepared for LDA: ['record', 'water', 'january']
Original Request: A complete copy of Animal Services file pertaining to dog bite incident involving {} which occurred on Jul. 28, 2015 at Lawrence Ave. and Victoria Park Ave., ref. file no. 3486373. Dog owner {}.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'pertain', 'incident', 'involve', 'occur', 'lawrence', 'victoria', '3486373', 'owner']
Original Request: A complete copy of Animal Services file pertaining to dog bite incident involving {} which occurred on Jun. 15, 2015 at Birmingham St. /Fifteenth St.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'pertain', 'incident', 'involve', 'occur', 'birmingham', '/fifteenth']
Original Request: A copy of application form on file #15-15800 ZZC regarding {}.
Tokens prepared for LDA: ['application', '15800', 'regard']
Original Request: A complete copy of building file related to {}, permit application #11-292877.
Tokens prepared for LDA: ['complete', 'build', 'relate', 'permit', 'application', '292877']
Original Request: Record of business licenses issued to 132 Atlas Ave., including any records and application pertaining to zoning. Record search from as far back as possible to present.
Tokens prepared for LDA: ['record', 'business', 'license', 'issue', 'atlas', 'include', 'record', 'application', 'pertain', 'record', 'search', 'possible', 'present']
Original Request: Record of all complaints made to 311 regarding noise pollution to {.} ref. # 3468921.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'noise', 'pollution', '3468921']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: With respect to any water infrastructure (including, but not limited to, water mains, water lines, and water pipes) related to, connected to, or impacting the properties of {.} and {}: (i) all records and reports etc.
Tokens prepared for LDA: ['respect', 'water', 'infrastructure', 'include', 'limit', 'water', 'water', 'water', 'relate', 'connect', 'impact', 'property', 'record', 'report']
Original Request: A copy of engineering report related to {} a subdivided lot , building permit # 15 133196 BLD 00 NH. Also, including the minutes of understanding created as a result of OMB hearing with the property owner.
Tokens prepared for LDA: ['engineer', 'report', 'relate', 'subdivide', 'build', 'permit', '133196', 'include', 'minute', 'understand', 'create', 'result', 'property', 'owner']
Original Request: Copies of plans and elevation drawings on the 1991 Committee of Adjustment file for {}.
Tokens prepared for LDA: ['copy', 'elevation', 'drawing', 'committee', 'adjustment']
Original Request: A copy of business license in effect from May 2, 2015 to present for The Midpoint, located at 1180 Queen St. W., including details of the owner and ownership designation i.e. LLC or Corporation.
Tokens prepared for LDA: ['business', 'license', 'effect', 'present', 'midpoint', 'locate', 'queen', 'include', 'owner', 'ownership', 'designation', 'corporation']
Original Request: A copy of business license in effect from May 2, 2015 to present for Kilt and Harp Pub, located at 2046 Danforth Ave., including details of the owner and ownership designation i.e. LLC or Corporation.
Tokens prepared for LDA: ['business', 'license', 'effect', 'present', 'locate', 'danforth', 'include', 'owner', 'ownership', 'designation', 'corporation']
Original Request: A copy of business license in effect from May 2, 2015 to present for Eat My Martini, located at 648 College St., including details of the owner and ownership designation i.e. LLC or Corporation.
Tokens prepared for LDA: ['business', 'license', 'effect', 'present', 'martini', 'locate', 'college', 'include', 'owner', 'ownership', 'designation', 'corporation']
Original Request: City pipe / drain / sewer maintenance / repairs / work orders / flush records / and City water report for {} including but not limited to the particulars of the loss on or about Apr. 20, 2015. Record search from May 2010 to May 2015.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'include', 'limit', 'particular', 'april', 'record', 'search']
Original Request: A complete copy of public health inspection/investigative file concerning food poisoning incident at Salut Restaurant and Banquet Hall, involving: {}; {} ; {}; {}; {} etc.
Tokens prepared for LDA: ['complete', 'public', 'health', 'inspection', 'investigative', 'concern', 'poison', 'incident', 'salut', 'restaurant', 'banquet', 'involve']
Original Request: A copy of building permits, inspection reports, orders for {} and any other documents not provided by City's building, engineering and water departments under the routine disclosure requests.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'order', 'document', 'provide', 'build', 'engineer', 'water', 'department', 'routine', 'disclosure', 'request']
Original Request: All communications, notes, files and records within Councillor John Filion's office (entire office) and to external parties from his entire office that mention the property {} or reference any agenda below.
Tokens prepared for LDA: ['communication', 'record', 'councillor', 'filion', 'office', 'entire', 'office', 'external', 'party', 'entire', 'office', 'mention', 'property', 'reference', 'agendum']
Original Request: A copy of Toronto Fire retrofit order issued to {} and confirmation that the deficiencies identified have been fixed. Record search from Nov. 1, 2008 to Nov. 3, 2015.
Tokens prepared for LDA: ['toronto', 'retrofit', 'order', 'issue', 'confirmation', 'deficiency', 'identify', 'record', 'search', 'november', 'november']
Original Request: A copy of survey, site plan and elevation drawings for {} file # B0032/05 TEY.
Tokens prepared for LDA: ['survey', 'elevation', 'drawing', 'b0032/05']
Original Request: A copy of notice of violation and inspections records for {} including any other documents on file with the Fire department with regards to this property.
Tokens prepared for LDA: ['notice', 'violation', 'inspection', 'record', 'include', 'document', 'department', 'regard', 'property']
Original Request: A copy of information regarding the basement flooding due to broken water pipe at {} on Oct. 21, 2015, 311 ref. # 3645136.
Tokens prepared for LDA: ['information', 'regard', 'basement', 'flood', 'break', 'water', 'october', '3645136']
Original Request: All site plan records including, but not limited to notes, correspondence, agreements and approved plans relating to {}. Also a copy of approved permit for one storey additional at rear of building.
Tokens prepared for LDA: ['record', 'include', 'limit', 'correspondence', 'agreement', 'approve', 'relate', 'approve', 'permit', 'storey', 'additional', 'build']
Original Request: The total number of requests for the implementation of a cross walk/traffic light control at the intersection of Kennedy Rd. & Perthshire St., in Scarborough, including the date of each request. Record search from Jan. 1, 2010 to Oct. 30, 2015.
Tokens prepared for LDA: ['total', 'request', 'implementation', 'cross', 'traffic', 'light', 'control', 'intersection', 'kennedy', 'perthshire', 'scarborough', 'include', 'request', 'record', 'search', 'january', 'october']
Original Request: A copy of ML&S inspection report regarding an investigation into mice and bug infestation at {} on Oct. 9, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'investigation', 'mouse', 'infestation', 'october']
Original Request: A complete copy of ML&S regarding taxi plate 2201; {}, {} and the estate of {}.
Tokens prepared for LDA: ['complete', 'regard', 'plate', 'estate']
Original Request: A copy of mould inspection or any other reports regarding {.} between the years of 2010 and 2015. Specifically record for mould inspection performed on either October 27, 2015 or October 28, 2015.
Tokens prepared for LDA: ['mould', 'inspection', 'report', 'regard', 'specifically', 'record', 'mould', 'inspection', 'perform', 'october', 'october']
Original Request: Record of complaint against {} for not being present in his unit at {} on November 7, 2014 and May 30, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'present', 'november']
Original Request: Record of complaint against {} for not being present in his unit at {} on November 7, 2014 and May 30, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'present', 'november']
Original Request: A listing of all commercial laundry facilities that reported to ChemTrac/City of Toronto on the chemicals used for the latest reporting period available.
Tokens prepared for LDA: ['commercial', 'laundry', 'facility', 'report', 'chemtrac', 'toronto', 'chemical', 'report', 'period', 'available']
Original Request: 1. A list of all Municipal Code 545 charges by day and by type laid against properly licensed Toronto taxicab drivers and owners as well as charges laid against properly licensed Toronto limousine drivers and owners from January l, 2014 up to present.
Tokens prepared for LDA: ['municipal', 'charge', 'properly', 'license', 'toronto', 'taxicab', 'driver', 'owner', 'charge', 'properly', 'license', 'toronto', 'limousine', 'driver', 'owner', 'january', 'present']
Original Request: A list of new restaurant and bakery licensees in the City of Toronto for the period Nov. 3, 2015 to Dec. 31, 2016. This includes businesses currently opened and those to be opened in the future.
Tokens prepared for LDA: ['restaurant', 'bakery', 'licensee', 'toronto', 'period', 'november', 'december', 'include', 'business', 'currently', 'future']
Original Request: Record of any construction occurring on Oak Street within one block of its intersection with Weston Road, in Toronto, during the month of February 2012; including details of the start and end date, the nature of the work etc.
Tokens prepared for LDA: ['record', 'construction', 'occur', 'street', 'block', 'intersection', 'weston', 'toronto', 'month', 'february', 'include', 'start', 'nature']
Original Request: A copy of the Tree Declaration Form that would have been filed by the owner and/or agent for the house at {}. Permit# is 15 222838 BLD 00 NH; also Committee of Adjustment file # A0567/15 TEY. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['declaration', 'owner', 'and/or', 'agent', 'house', 'permit', '222838', 'committee', 'adjustment', 'a0567/15', 'record', 'search', 'january', 'present']
Original Request: A copy of Preliminary Zoning Review (Zoning Certificate) for {}, File Number A424/15EYK, Legal Description: Plan M539 LOT71, prepared by Marseel Shehata, Zoning Examiner Etobicoke Office
Tokens prepared for LDA: ['preliminary', 'zoning', 'review', 'zoning', 'certificate', 'number', 'a424/15eyk', 'legal', 'description', 'lot71', 'prepare', 'marseel', 'shehata', 'zoning', 'examiner', 'etobicoke', 'office']
Original Request: A reporting of all phone calls made by {} to 311 including dates/times and reasons for the calls; a note if {} had made a request to be contacted regarding to the issue and a note to indicate if the contact was attempted/completed.
Tokens prepared for LDA: ['report', 'phone', 'include', 'reason', 'request', 'contact', 'regard', 'issue', 'indicate', 'contact', 'attempt', 'complete']
Original Request: All records relating to water main break on City property outside of {}. Water was shut down on Aug. 8, 2015. 311 service request # 3492877. Record search from July 1, 2015 to Sept. 30, 2015.
Tokens prepared for LDA: ['record', 'relate', 'water', 'break', 'property', 'outside', 'water', 'august', 'service', 'request', '3492877', 'record', 'search', 'september']
Original Request: All work orders for work completed to the exterior for 281 Front St. East, i.e. Parliament St. and Front St.
Tokens prepared for LDA: ['order', 'complete', 'exterior', 'parliament']
Original Request: Any issued orders, directives, notices of violations etc., pertaining to 105 Rowena Dr., 1175326 Ontario Ltd. or Barney River Management about: fire alarms, swimming pool or any other property standard issues. Records should also include e-mail etc.
Tokens prepared for LDA: ['issue', 'order', 'directive', 'notice', 'violation', 'pertain', 'rowena', '1175326', 'ontario', 'barney', 'river', 'management', 'alarm', 'property', 'standard', 'issue', 'record', 'include']
Original Request: Record of the reason behind PFR tree inspection at {} on Nov. 3, 2015, including the individual who made the request and any other relevant information.
Tokens prepared for LDA: ['record', 'reason', 'inspection', 'november', 'include', 'individual', 'request', 'relevant', 'information']
Original Request: Any and all information regarding {} from Jan. 1, 1975 to present.
Tokens prepared for LDA: ['information', 'regard', 'january', 'present']
Original Request: All building inspection records regarding {} from Jan. 1, 2005 to Dec. 31, 2006.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'regard', 'january', 'december']
Original Request: All information regarding any records since January 2009 regarding animals at Toronto Zoo that have tested either reactive or positive for tuberculosis or salmonellosis, including but not limited to necropsy reports.
Tokens prepared for LDA: ['information', 'regard', 'record', 'january', 'regard', 'animal', 'toronto', 'reactive', 'positive', 'tuberculosis', 'salmonellosis', 'include', 'limit', 'necropsy', 'report']
Original Request: A copy of liquor license application and following building inspection at Joe's Buffet Palace and Roti Roll Caribbean Cuisine at 361 Yonge St.
Tokens prepared for LDA: ['liquor', 'license', 'application', 'follow', 'build', 'inspection', 'buffet', 'palace', 'caribbean', 'cuisine', 'yonge']
Original Request: Records as far back as possible regarding complaints from Toronto Building and ML&S for {}.
Tokens prepared for LDA: ['record', 'possible', 'regard', 'complaint', 'toronto', 'building']
Original Request: Records as far back as possible regarding complaints from Toronto Building and ML&S for {}.
Tokens prepared for LDA: ['record', 'possible', 'regard', 'complaint', 'toronto', 'building']
Original Request: A copy of building file # 15-159165 PRS OO IV, pertaining to {}.
Tokens prepared for LDA: ['build', '159165', 'pertain']
Original Request: In electronic file format: copies from the Toronto Zoo of all records held relating to 'Olive Baboons' from November 1, 2014 to present (including but not limited to medical records such as drug, necropsy, anesthetics and laboratory reports etc.
Tokens prepared for LDA: ['electronic', 'format', 'toronto', 'record', 'relate', 'olive', 'baboon', 'november', 'present', 'include', 'limit', 'medical', 'record', 'necropsy', 'anesthetic', 'laboratory', 'report']
Original Request: In relation to issues raised with respect to oil tank leak on the property of {}. and allegedly caused damages to the property of {} during the period of January to March 2013. The following records are requested:
Tokens prepared for LDA: ['relation', 'issue', 'raise', 'respect', 'property', 'allegedly', 'cause', 'damage', 'property', 'period', 'january', 'march', 'follow', 'record', 'request']
Original Request: A copy of video footage on the parking lot at Jenner Jean Marie Community Centre for Sept. 26, 2015 at. 12.30 pm.
Tokens prepared for LDA: ['video', 'footage', 'jenner', 'marie', 'community', 'centre', 'september', '12.30']
Original Request: All instances in which charges were actually issued following taxi complaints, including the details of these cases, the people (drivers and passengers) and taxi companies involved, the details of the complaint, and the actual charges.
Tokens prepared for LDA: ['instance', 'charge', 'actually', 'issue', 'follow', 'complaint', 'include', 'people', 'driver', 'passenger', 'company', 'involve', 'complaint', 'actual', 'charge']
Original Request: All instances in which charges were actually issued following taxi complaints, including the details of these cases, the people (drivers and passengers) and taxi companies involved, the details of the complaint, and the actual charges.
Tokens prepared for LDA: ['instance', 'charge', 'actually', 'issue', 'follow', 'complaint', 'include', 'people', 'driver', 'passenger', 'company', 'involve', 'complaint', 'actual', 'charge']
Original Request: Records documenting the number of applicants denied affordable housing based on religious grounds 2010-present, i.e. applicants who did not qualify for specific social housing providers religious tenancy requirements.
Tokens prepared for LDA: ['record', 'document', 'applicant', 'affordable', 'house', 'religious', 'ground', '2010-present', 'applicant', 'qualify', 'specific', 'social', 'house', 'provider', 'religious', 'tenancy', 'requirement']
Original Request: Records documenting any incidents of cyber security hacks/breaches involving City of Toronto computers/servers/networks, 2010-present.
Tokens prepared for LDA: ['record', 'document', 'incident', 'cyber', 'security', 'breach', 'involve', 'toronto', 'computer', 'server', 'network', '2010-present']
Original Request: Report on the water shut off and turn on incident at {} from Sept. 1, 2015 to Oct. 5, 2015. Record to include what happened, the name of the person to whom the request came from, including the history.
Tokens prepared for LDA: ['report', 'water', 'incident', 'september', 'october', 'record', 'include', 'happen', 'person', 'request', 'include', 'history']
Original Request: A copy of third party signage (signage district) for 38-40 Dundas St. East, Toronto,
Tokens prepared for LDA: ['party', 'signage', 'signage', 'district', 'dundas', 'toronto']
Original Request: A copy of third party signage for the sign called Superboard located at 3442 Yonge St. and Deloraine Ave. The sign is on the roof and the size is 12 x 32 and 25 feet high.
Tokens prepared for LDA: ['party', 'signage', 'superboard', 'locate', 'yonge', 'deloraine']
Original Request: A copy of third party signage, sign permit information for 333 Adelaide St. W.
Tokens prepared for LDA: ['party', 'signage', 'permit', 'information', 'adelaide']
Original Request: A copy of building permit for {} York under permit # 58-01024. The house was built in 1958.
Tokens prepared for LDA: ['build', 'permit', 'permit', '01024', 'house', 'build']
Original Request: All information from ML&S relating to action taken, enforcement or communication with property owners, officer notes, all notices, compliance notes, communications for {}, from Jan. 2015 to Nov. 9, 2015.
Tokens prepared for LDA: ['information', 'relate', 'action', 'enforcement', 'communication', 'property', 'owner', 'officer', 'notice', 'compliance', 'communication', 'january', 'november']
Original Request: Cost estimates related to SmartTrack transit plan, contained within HDR report
Tokens prepared for LDA: ['estimate', 'relate', 'smarttrack', 'transit', 'contain', 'report']
Original Request: A copy of ML&S inspection report for {} for the inspection that was done on Nov. 4, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'inspection', 'november']
Original Request: Alternative Solution Report, Building Code Compliance Report, or any documents with the words "alternative solutions" or "building code compliance" for {}, from 2011 to 2015.
Tokens prepared for LDA: ['alternative', 'solution', 'report', 'building', 'compliance', 'report', 'document', 'alternative', 'solution', 'build', 'compliance']
Original Request: All appraisal reports, real estate market reviews and other valuation analyses completed or commissioned by the City between Jan. 2010 and Nov. 2015 for 2183 Lake Shore Blvd. West.
Tokens prepared for LDA: ['appraisal', 'report', 'estate', 'market', 'review', 'valuation', 'analysis', 'complete', 'commission', 'january', 'november', 'shore']
Original Request: A copy of City's tree inspection records for the tree that is located on the north and south side of Steeles Ave. E., near 70 Apricot St., including notes, records, and reports relating to the trees at or near the property from July 12, 2010 to July 12, 2
Tokens prepared for LDA: ['inspection', 'record', 'locate', 'north', 'south', 'steele', 'apricot', 'include', 'record', 'report', 'relate', 'property']
Original Request: Any and all inspection notes or reports prepared by Area Inspector Nick Racanelli relating to {}. Permit # is 11-217565 BLD.
Tokens prepared for LDA: ['inspection', 'report', 'prepare', 'inspector', 'racanelli', 'relate', 'permit', '217565']
Original Request: Copies of any work orders or deficiency notices for {}, Toronto.
Tokens prepared for LDA: ['copy', 'order', 'deficiency', 'notice', 'toronto']
Original Request: Record of complaint and investigation report by ML&S and Fire Services for {} from Oct. 2014 to Nov. 2015.
Tokens prepared for LDA: ['record', 'complaint', 'investigation', 'report', 'services', 'october', 'november']
Original Request: All maintenance, service and testing records regarding the fire hydrant and water service in front of 84 Yorkville Road, from Jan. 1, 2009 to Jan. 1, 2015.
Tokens prepared for LDA: ['maintenance', 'service', 'record', 'regard', 'hydrant', 'water', 'service', 'yorkville', 'january', 'january']
Original Request: Reports on water damage at {}. The incident occurred on July 15, 2015.
Tokens prepared for LDA: ['report', 'water', 'damage', 'incident', 'occur']
Original Request: A copy of inspection records, violation records, response by owners, architects, engineers for {} from 2010 to present
Tokens prepared for LDA: ['inspection', 'record', 'violation', 'record', 'response', 'owner', 'architect', 'engineer', 'present']
Original Request: Traffic surveillance camera footage between 10.30 am and 11.30 am on Oct. 15, 2015 for intersection at Warden Ave. and Hwy 401.
Tokens prepared for LDA: ['traffic', 'surveillance', 'camera', 'footage', '10.30', '11.30', 'october', 'intersection', 'warden']
Original Request: A copy of fire inspection work order for property at {.}. Last inspection was performed on Nov 9, 2015.
Tokens prepared for LDA: ['inspection', 'order', 'property', 'inspection', 'perform']
Original Request: A copy of permit application along with supporting documents (plans, sketches etc.) and arborist report, pertaining to the injury 2 mature trees on property at {}.
Tokens prepared for LDA: ['permit', 'application', 'support', 'document', 'sketch', 'arborist', 'report', 'pertain', 'injury', 'mature', 'property']
Original Request: Record of the number of 311 complaints made by {} regarding noise at {.} from Jun. 1, 2011 to present, including records of complaints.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'noise', 'present', 'include', 'record', 'complaint']
Original Request: Copies of inspection reports and records pertaining to {} from Dec. 2014 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'record', 'pertain', 'december', 'present']
Original Request: A copy of folder # 15 242008 ZON OO IV in relation to approved parking pad and the number of vehicles permitted for parking at {}.
Tokens prepared for LDA: ['folder', '242008', 'relation', 'approve', 'vehicle', 'permit']
Original Request: A copy of inspection notes and reports regarding faulty fire alarm system at {}. Record search from May 2012 to May 2014.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'faulty', 'alarm', 'record', 'search']
Original Request: A copy of mold inspection report for {}. Record search from Oct. - Nov. 2015.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'october', 'november']
Original Request: All applications made in relation to {} for the widening of the driveway, installation of interlocking and/or parking pad on the property. Record search from Sep. 1, 2004 to Dec. 1, 2015
Tokens prepared for LDA: ['application', 'relation', 'widen', 'driveway', 'installation', 'interlock', 'and/or', 'property', 'record', 'search', 'september', 'december']
Original Request: A copy of dog bite report for the incident which occurred on September 25, 2015, involving {} who was attacked.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'september', 'involve', 'attack']
Original Request: A copy of permit application and inspection report for washroom and shower installation at {}. Record search from 2014 to present.
Tokens prepared for LDA: ['permit', 'application', 'inspection', 'report', 'washroom', 'shower', 'installation', 'record', 'search', 'present']
Original Request: A copy of business license authorizing the operation of 'New Transportation Inc.' in Toronto.
Tokens prepared for LDA: ['business', 'license', 'authorize', 'operation', 'transportation', 'toronto']
Original Request: Copies of red light camera stills taken at the intersection of Sheppard Ave. E., and Green Briar Rd., of a motor vehicle accident which occurred at approximately 7:55 pm on October 19. 2015. The vehicle involved is a brown Buick, Verano.
Tokens prepared for LDA: ['copy', 'light', 'camera', 'intersection', 'sheppard', 'green', 'briar', 'motor', 'vehicle', 'accident', 'occur', 'approximately', 'october', 'vehicle', 'involve', 'brown', 'buick', 'verano']
Original Request: Complete copy of the Toronto Building file regarding water leak which occurred on Jan. 14, 201 at {} including: reports; notes; records; and all documents (including sound recordings; videotapes; films; photographs; charts; graphs etc.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'regard', 'water', 'occur', 'january', 'include', 'report', 'record', 'document', 'include', 'sound', 'recording', 'videotape', 'photograph', 'chart', 'graph']
Original Request: Record of any existing orders issued to {} to: any investigations with respect to common areas, orders to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'investigation', 'respect', 'common', 'order', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence']
Original Request: Record of any existing orders issued to {} to: any investigations with respect to common areas, orders to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'investigation', 'respect', 'common', 'order', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence']
Original Request: All documentation available for a municipal rebate given by the City of Toronto to {} owner(s) of {} for tree root flooding damages to storm / sewer line on the property.
Tokens prepared for LDA: ['documentation', 'available', 'municipal', 'rebate', 'toronto', 'owner(s', 'flood', 'damage', 'storm', 'sewer', 'property']
Original Request: A copy of re-zoning application by Shoreline Towers Inc. for {}, submitted in November 2014.
Tokens prepared for LDA: ['application', 'shoreline', 'tower', 'submit', 'november']
Original Request: Water maintenance records pertaining to { } following sewer back-up which occurred at or near the property: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s)/watermains for the period three years etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s)/watermains', 'period']
Original Request: A copy of work order, inspection notes and complaint log etc., for malfunctioning traffic light at the intersection of Jane St. and Emmett Ave. Complaint made with 311 on Nov. 16, 2015.
Tokens prepared for LDA: ['order', 'inspection', 'complaint', 'malfunction', 'traffic', 'light', 'intersection', 'emmett', 'complaint', 'november']
Original Request: A copy of inspection report in relation to roofing and insulation issues at {}, under permit # 10 209570 BLD. Inspector Joe Forte. Record search from Jul. 1, 2010 to Nov. 18, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'insulation', 'issue', 'permit', '209570', 'inspector', 'forte', 'record', 'search', 'november']
Original Request: A copy of mold inspection report in relation to {}. Inspector Jola Ozimek. Record search from Sep. 2015 to Oct. 2015.
Tokens prepared for LDA: ['inspection', 'report', 'relation', 'inspector', 'ozimek', 'record', 'search', 'september', 'october']
Original Request: A complete copy of building file including inspection reports for {}.
Tokens prepared for LDA: ['complete', 'build', 'include', 'inspection', 'report']
Original Request: Record of any accident statistics, reports, design complaints, minutes, by-laws, traffic studies, memos, work order etc., in relation to the area of 60 Ellesmere Rd. and associated parking lot entrance. Record search from 2010 to present.
Tokens prepared for LDA: ['record', 'accident', 'statistic', 'report', 'design', 'complaint', 'minute', 'traffic', 'study', 'order', 'relation', 'ellesmere', 'associate', 'entrance', 'record', 'search', 'present']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit']
Original Request: A copy of consent letter on building file, from a neighbor regarding renovations at {} which partially falls on that neighbor's property. Letter may have been submitted sometime in June 2006.
Tokens prepared for LDA: ['consent', 'letter', 'build', 'neighbor', 'regard', 'renovation', 'partially', 'neighbor', 'property', 'letter', 'submit']
Original Request: A complete copy of building file for {} including but not limited to permits, applications, inspection reports etc.
Tokens prepared for LDA: ['complete', 'build', 'include', 'limit', 'permit', 'application', 'inspection', 'report']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit']
Original Request: A complete copy of Toronto Water file in relation to watermain break and repair work done at {} this includes but is not limited to maintenance, construction, notices, reports and investigative records.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'relation', 'watermain', 'break', 'repair', 'include', 'limit', 'maintenance', 'construction', 'notice', 'report', 'investigative', 'record']
Original Request: A complete copy of building file for {} including but not limited to particulars of loss sustained on or around Dec. 28, 2013 due to the demolishing of building at {}. Record search from Nov. 2012 to Nov. 2015.
Tokens prepared for LDA: ['complete', 'build', 'include', 'limit', 'particular', 'sustain', 'december', 'demolish', 'build', 'record', 'search', 'november', 'november']
Original Request: Copies of any record of complaint pertaining to {} of: noise or nuisance, pests (raccoons, squirrels, mice or rats) in the ceiling, walls, floors, outside the building or anywhere else on the premises.
Tokens prepared for LDA: ['copy', 'record', 'complaint', 'pertain', 'noise', 'nuisance', 'raccoon', 'squirrel', 'mouse', 'floor', 'outside', 'build', 'premise']
Original Request: Proof of a visit by the city health inspector to ascertain that a dog which had bitten a citizen was not aggressive. The owner's name is {} of {.}. The dog's name is Molly.
Tokens prepared for LDA: ['proof', 'visit', 'health', 'inspector', 'ascertain', 'citizen', 'aggressive', 'owner', 'molly']
Original Request: Record of video surveillance footage at the intersection of Jane St. and Finch Ave. (on roadway), with respect to hit and run incident involving a City cleaning truck and car; in which the truck side swiped the vehicle causing damage and then left the scene. Date of incident is June 20, 205 at 1:00 PM.
Tokens prepared for LDA: ['record', 'video', 'surveillance', 'footage', 'intersection', 'finch', 'roadway', 'respect', 'incident', 'involve', 'clean', 'truck', 'truck', 'swipe', 'vehicle', 'cause', 'damage', 'leave', 'scene', 'incident']
Original Request: Record of e-mail correspondence between {} and Toronto Fire. Record search from Jul. 1, 2014 to Dec. 31, 2014.
Tokens prepared for LDA: ['record', 'correspondence', 'toronto', 'record', 'search', 'december']
Original Request: Copies of any and all obtained building permits, inspection reports, violations, work orders and zoning designation for {} from Jan. 1, 2010 to Nov. 16, 2015.
Tokens prepared for LDA: ['copy', 'obtain', 'build', 'permit', 'inspection', 'report', 'violation', 'order', 'designation', 'january', 'november']
Original Request: Copies of any and all obtained building permits, inspection reports, violations, work orders and zoning designation for {} from Jan. 1, 2010 to Nov. 16, 2015.
Tokens prepared for LDA: ['copy', 'obtain', 'build', 'permit', 'inspection', 'report', 'violation', 'order', 'designation', 'january', 'november']
Original Request: All records regarding any and all complaints made to the City of Toronto and/or the Municipal Licensing and Standards, regarding {} for: alleged parking violations on Harper Avenue in Toronto for the period September 15, 2015 to present.
Tokens prepared for LDA: ['record', 'regard', 'complaint', 'toronto', 'and/or', 'municipal', 'license', 'standard', 'regard', 'allege', 'violation', 'harper', 'avenue', 'toronto', 'period', 'september', 'present']
Original Request: A complete copy of Building , City Planning (including Committee of Adjustment), ML&S and Toronto Fire files regarding {} from Jan. 1, 1990 to Nov. 4, 2015.
Tokens prepared for LDA: ['complete', 'building', 'planning', 'include', 'committee', 'adjustment', 'toronto', 'regard', 'january', 'november']
Original Request: A complete copy of ML&S inspection report for {} following inspections performed on Jan. 3 & 5, 2012.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'follow', 'inspection', 'perform', 'january']
Original Request: A complete copy of PF&R file for {} including records pertaining to any loss caused on the property. Record search from Jul. 2005 to Nov. 2015.
Tokens prepared for LDA: ['complete', 'include', 'record', 'pertain', 'cause', 'property', 'record', 'search', 'november']
Original Request: All incident reports relating to the water and/or sewer main/pipe/service line failure at or near {} between the dates Oct. 6, 2015 to Nov. 18, 2015.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'and/or', 'sewer', 'service', 'failure', 'october', 'november']
Original Request: A copy of all 311 complaints calls (3212024, 3357430, 3386499 etc.) and related Toronto Water file pertaining to broken water pipe at {} which led to flooding on the inside and outside portions of the property.
Tokens prepared for LDA: ['complaint', '3212024', '3357430', '3386499', 'relate', 'toronto', 'water', 'pertain', 'break', 'water', 'flood', 'inside', 'outside', 'portion', 'property']
Original Request: Any information or 311 complaint calls regarding the state of construction sites on Richmond St. and John St. from Apr. 20, 2015 to May 18, 2015.
Tokens prepared for LDA: ['information', 'complaint', 'regard', 'state', 'construction', 'richmond', 'april']
Original Request: A copy of any record of inspection for cockroaches at {} from Jan. 1, 2013 to Nov. 21, 2015.
Tokens prepared for LDA: ['record', 'inspection', 'cockroach', 'january', 'november']
Original Request: A copy of animal control file for {}. Record search Apr. 8, 2015.
Tokens prepared for LDA: ['animal', 'control', 'record', 'search', 'april']
Original Request: All correspondence including e-mails between the owner of {} and ML&S, all inspection reports and encroachment related documents regarding affected property at {.}.
Tokens prepared for LDA: ['correspondence', 'include', 'owner', 'inspection', 'report', 'encroachment', 'relate', 'document', 'regard', 'affect', 'property']
Original Request: A copy noise complaint investigative file # 2015 120795 NOI IR in relation to {}.
Tokens prepared for LDA: ['noise', 'complaint', 'investigative', '120795', 'relation']
Original Request: Copies of correspondence and inspection records regarding permit # 09-178848 {} from 2008 to present.
Tokens prepared for LDA: ['copy', 'correspondence', 'inspection', 'record', 'regard', 'permit', '178848', 'present']
Original Request: Records or reports from Toronto Water regarding sewer water flood for {}. Records from November 22nd - 24th, 2015. 311 Reference number # 3704870.
Tokens prepared for LDA: ['record', 'report', 'toronto', 'water', 'regard', 'sewer', 'water', 'flood', 'record', 'november', 'reference', '3704870']
Original Request: Any record of a marijuana "grow op" at the rental property of {} which was. reporte.d by Toronto Police Drug Squad "Marihuana Cultivation Reporting" on date July 23, 2007. Including any other document proving contact with Toronto Public Health.
Tokens prepared for LDA: ['record', 'marijuana', 'rental', 'property', 'reporte.d', 'toronto', 'police', 'squad', 'marihuana', 'cultivation', 'reporting', 'include', 'document', 'prove', 'contact', 'toronto', 'public', 'health']
Original Request: A copy of mold inspection report for {}. Record search from Nov. 17, 2014 to Nov. 26, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'november', 'november']
Original Request: Record of construction contracts and construction plans for the Toronto-York Subway Extension Project - Finch West Station (the 'Project') from Jan. 1, 2008 to Dec. 31, 2011.
Tokens prepared for LDA: ['record', 'construction', 'contract', 'construction', 'toronto', 'subway', 'extension', 'project', 'finch', 'station', 'project', 'january', 'december']
Original Request: Copies of all historical building records and background servicing and engineering reports/studies regarding R.V. Burgess Park (46 Thorncliffe Park Drive) and Jenner Jean-Marie Community Centre (48 Thorncliffe Park Drive).
Tokens prepared for LDA: ['copy', 'historical', 'build', 'record', 'background', 'service', 'engineer', 'report', 'study', 'regard', 'burgess', 'thorncliffe', 'drive', 'jenner', 'marie', 'community', 'centre', 'thorncliffe', 'drive']
Original Request: All records related to Toronto Water docket numbers: 3304753, 3305440 and 3311653 for site visits to {}.
Tokens prepared for LDA: ['record', 'relate', 'toronto', 'water', 'docket', 'number', '3304753', '3305440', '3311653', 'visit']
Original Request: Record of all orders and notices of violations issued to {}.
Tokens prepared for LDA: ['record', 'order', 'notice', 'violation', 'issue']
Original Request: All documents or records relating to downspout at {.} Record search from 2011 to present.
Tokens prepared for LDA: ['document', 'record', 'relate', 'downspout', 'record', 'search', 'present']
Original Request: Access to construction records in relation to road project during and/or between Jul. 28-31, 2013 at the intersections of Weston Rd. and 401. Including any inspection reports or photographs taken in relation to the actual site set up and/or work progress.
Tokens prepared for LDA: ['access', 'construction', 'record', 'relation', 'project', 'and/or', 'intersection', 'weston', 'include', 'inspection', 'report', 'photograph', 'relation', 'actual', 'and/or', 'progress']
Original Request: Record of any complaints and/or investigations regarding dogs at {} from Jan. 1, 2013 to Nov. 20, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'and/or', 'investigation', 'regard', 'january', 'november']
Original Request: All building permits, inspection notes and/or inspection, engineering reports etc., relating to construction at {} from Jan. 1, 2015 to present. Building Inspector, John Mignardi.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'and/or', 'inspection', 'engineer', 'report', 'relate', 'construction', 'january', 'present', 'building', 'inspector', 'mignardi']
Original Request: An up to date list of all addresses delinquent on property taxes separated in categories "1 year delinquent", "2 years delinquent" and "3+ years delinquent".
Tokens prepared for LDA: ['address', 'delinquent', 'property', 'taxis', 'separate', 'category', 'delinquent', 'delinquent', 'delinquent']
Original Request: All notes, investigative notes and finding regarding {} of which the owner; on issues involving urban forestry, transportation, right-of-way, property standards, fire safety and down spout disconnection and ref. # 3328618.
Tokens prepared for LDA: ['investigative', 'regard', 'owner', 'issue', 'involve', 'urban', 'forestry', 'transportation', 'right', 'property', 'standard', 'safety', 'spout', 'disconnection', '3328618']
Original Request: Access to aggregate monthly numbers of individuals stopped by the Special Task Force Unit, also known as TAVIS, between April 2015 and October 2015. Including aggregate monthly numbers broken down by: visible minorities, ethnic groups, sex, age and reason
Tokens prepared for LDA: ['access', 'aggregate', 'monthly', 'number', 'individual', 'special', 'force', 'tavis', 'april', 'october', 'include', 'aggregate', 'monthly', 'number', 'break', 'visible', 'minority', 'ethnic', 'group', 'reason']
Original Request: Copies of all plumbing documents related to {} permit #9103560 issued on Aug. 6, 1991.
Tokens prepared for LDA: ['copy', 'plumb', 'document', 'relate', 'permit', '9103560', 'issue', 'august']
Original Request: A copy of water flow test results in relation to {}. Testing was conducted on Oct. 8, 2013, service request ref. #3702813 and WO #1176904.
Tokens prepared for LDA: ['water', 'result', 'relation', 'testing', 'conduct', 'october', 'service', 'request', '3702813', '1176904']
Original Request: All documents from Toronto Fire Services for {} relating to the fire inspections done, including any ESA certificates, from 2013 to present.
Tokens prepared for LDA: ['document', 'toronto', 'services', 'relate', 'inspection', 'include', 'certificate', 'present']
Original Request: Any and all notes, complaints, inspector reports and notes that have been submitted against {}, Toronto from April 27, 1994 to Nov. 27, 2015.
Tokens prepared for LDA: ['complaint', 'inspector', 'report', 'submit', 'toronto', 'april', 'november']
Original Request: All documents related to forestry and any tree protection communications on {}, Etobicoke.
Tokens prepared for LDA: ['document', 'relate', 'forestry', 'protection', 'communication', 'etobicoke']
Original Request: All documents related to forestry and any tree protection communications on {}, Etobicoke.
Tokens prepared for LDA: ['document', 'relate', 'forestry', 'protection', 'communication', 'etobicoke']
Original Request: Copy of fire inspection records for {}, North York. The inspection was done by Alicia Corazza on Nov. 25, 2015 for the basement unit, and on Nov. 27, 2015 for the upper unit.
Tokens prepared for LDA: ['inspection', 'record', 'north', 'inspection', 'alicia', 'corazza', 'november', 'basement', 'november', 'upper']
Original Request: Records from Toronto Water for the environmentally damaging spill that occurred between Nov. 24, 2015 and Nov. 25, 2015 at {}. 311 Ref. # 3708625.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'environmentally', 'damage', 'spill', 'occur', 'november', 'november', '3708625']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to common areas, individual units, garage sales, signs, property fences, property maintenance etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'common', 'individual', 'garage', 'property', 'fence', 'property', 'maintenance']
Original Request: Record of complaint regarding cab No. 1889 operated by {} on Nov. 6, 2015. Including, details of the name and address of the complainant as well as the circumstances of complaint.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'operate', 'november', 'include', 'address', 'complainant', 'circumstance', 'complaint']
Original Request: A complete copy of building file for {} including but not limited to particulars of loss caused on or around Dec. 28, 2013 due to the demolishing of a building on the property. Record search from Nov. 2012 to Nov. 2015.
Tokens prepared for LDA: ['complete', 'build', 'include', 'limit', 'particular', 'cause', 'december', 'demolish', 'build', 'property', 'record', 'search', 'november', 'november']
Original Request: Record of investigative notes or report detailing the composition of spill found in the creek of Rosedale Moore Park on Nov. 18, 2015.
Tokens prepared for LDA: ['record', 'investigative', 'report', 'composition', 'spill', 'creek', 'rosedale', 'moore', 'november']
Original Request: All Toronto Police records concerning {} from May 1, 1998 to present.
Tokens prepared for LDA: ['toronto', 'police', 'record', 'concern', 'present']
Original Request: In GIS shapefile or tabular format: compiled geospatial report along with the addresses, in relation to reports of basement flooding on Jul. 8, 2015, collected by the City.
Tokens prepared for LDA: ['shapefile', 'tabular', 'format', 'compile', 'geospatial', 'report', 'address', 'relation', 'report', 'basement', 'flood', 'collect']
Original Request: A copy of notes, files and reports in relation to the 519 Community Centre's proceeding concerning {personal information removed} including in camera meeting held on Apr. 4, 2013. Record search Jun. 1, 2011 to Apr. 9, 2013.
Tokens prepared for LDA: ['report', 'relation', 'community', 'centre', 'proceed', 'concern', 'personal', 'information', 'remove', 'include', 'camera', 'april', 'record', 'search', 'april']
Original Request: A copy of dog attack report from Animal Services. Incident occurred on Nov. 29, 2015 at 11.30 pm at {}. Please provide dog owner's information. Record search from Nov. 29 to Dec. 1, 2015.
Tokens prepared for LDA: ['attack', 'report', 'animal', 'services', 'incident', 'occur', 'november', '11.30', 'provide', 'owner', 'information', 'record', 'search', 'november', 'december']
Original Request: A copy of the still camera shots from traffic cameras taken on Sept. 29, 2013 between 3.21 am and 3.31 am on Gardiner Expressway (westbound) near Spadina Ave. ramp.
Tokens prepared for LDA: ['camera', 'traffic', 'camera', 'september', 'gardiner', 'expressway', 'westbound', 'spadina']
Original Request: Number of times, dates when lot grading plan MB-8796 for {} was removed from files and sent out for copying during the period from Oct. 1, 2014 until April 30, 2015.
Tokens prepared for LDA: ['number', 'grade', 'mb-8796', 'remove', 'period', 'october', 'april']
Original Request: Inspection reports and permit documents from Toronto Building, Fire Services and ML&S for {}. Record search to be as far back as possible.
Tokens prepared for LDA: ['inspection', 'report', 'permit', 'document', 'toronto', 'building', 'services', 'record', 'search', 'possible']
Original Request: All records of complaints made to the City of Toronto, Toronto Police Parking Enforcement, and/or Municipal Licensing and Standards regarding alleged parking violations on Harper Avenue in Toronto for the period of October 1, 2015 to the present.
Tokens prepared for LDA: ['record', 'complaint', 'toronto', 'toronto', 'police', 'parking', 'enforcement', 'and/or', 'municipal', 'license', 'standard', 'regard', 'allege', 'violation', 'harper', 'avenue', 'toronto', 'period', 'october', 'present']
Original Request: A copy of fire inspection report and records for {}, inspector Andrew Sabine. Record search from May 14, 2015 to August 1, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'inspector', 'andrew', 'sabine', 'record', 'search', 'august']
Original Request: Record of all information held within the City's AMANDA system (IBMS) in relation to National Auto Service Centre including notices of zoning by-law compliance, requests for zoning clearance and examiners notices.
Tokens prepared for LDA: ['record', 'information', 'amanda', 'relation', 'national', 'service', 'centre', 'include', 'notice', 'compliance', 'request', 'clearance', 'examiner', 'notice']
Original Request: Record of all information held within the City's AMANDA system (IBMS) in relation to National Auto Service Centre including notices of zoning by-law compliance, requests for zoning clearance and examiners notices.
Tokens prepared for LDA: ['record', 'information', 'amanda', 'relation', 'national', 'service', 'centre', 'include', 'notice', 'compliance', 'request', 'clearance', 'examiner', 'notice']
Original Request: A copy of Public Health inspection report pertaining to {} ref. # 123644. Record search from Nov. - Dec. 2015.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'pertain', '123644', 'record', 'search', 'november', 'december']
Original Request: In digital form if possible: 1) All communications - including e-mails and their attachments, draft memorandums and letters - between Councillor Josh Matlow's office and Jennifer Keesmaat's office regarding transit planning etc.
Tokens prepared for LDA: ['digital', 'possible', 'communication', 'include', 'attachment', 'draft', 'memorandum', 'letter', 'councillor', 'matlow', 'office', 'jennifer', 'keesmaat', 'office', 'regard', 'transit']
Original Request: A copy of occupancy permit for {.}.
Tokens prepared for LDA: ['occupancy', 'permit']
Original Request: A copy of inspection notes and site plan used to issue permit for the injury of tree at {} Record search Oct. 1, 2015 to Dec. 1, 2015.
Tokens prepared for LDA: ['inspection', 'issue', 'permit', 'injury', 'record', 'search', 'october', 'december']
Original Request: A copy of the peace bond issued to {personal information removed }with regards to agreement made between herself and her spouse {personal information removed}.
Tokens prepared for LDA: ['peace', 'issue', 'personal', 'information', 'remove', 'regard', 'agreement', 'spouse', 'personal', 'information', 'removed}.']
Original Request: Record of all renovation related documents submitted on file for {}.
Tokens prepared for LDA: ['record', 'renovation', 'relate', 'document', 'submit']
Original Request: A copy of building inspection report for {.}, permit # 424 955. Record search Mar. 1, 1999 to Mar. 1, 2006.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit', 'record', 'search', 'march', 'march']
Original Request: A copy of police report regarding assault incident involving {personal information removed} on Oct. 21, 2015 at 12:30 PM.
Tokens prepared for LDA: ['police', 'report', 'regard', 'assault', 'incident', 'involve', 'personal', 'information', 'remove', 'october', '12:30']
Original Request: Don Mount Court Revitalization records - specific to number of TCHC subsidized units available prior to revitalizations in 2000, and after the project was completed in 2012, as well as, the subsidized units to private renter units etc.
Tokens prepared for LDA: ['mount', 'court', 'revitalization', 'record', 'specific', 'subsidize', 'available', 'prior', 'revitalization', 'project', 'complete', 'subsidize', 'private', 'renter']
Original Request: Regent Park revitalization records, specific to number of TCHC subsidized and private units prior to the recent Regent Park revitalization project. Record search from Jan. 1, 2000 to Dec. 30. 2015.
Tokens prepared for LDA: ['regent', 'revitalization', 'record', 'specific', 'subsidize', 'private', 'prior', 'recent', 'regent', 'revitalization', 'project', 'record', 'search', 'january', 'december']
Original Request: A copy of all records, including but not limited to notes, inspection reports, and emails, related to sewer discharge at or stemming from (a specified address) between January 1 and August 24, 2012. Same records released under FOI #2012-01795.
Tokens prepared for LDA: ['record', 'include', 'limit', 'inspection', 'report', 'email', 'relate', 'sewer', 'discharge', 'specify', 'address', 'january', 'august', 'record', 'release', '01795']
Original Request: A copy of all responses to RFP 3405-12-3005 with the exception of (a specified address).
Tokens prepared for LDA: ['response', 'exception', 'specify', 'address']
Original Request: A copy of the MLS file regarding (a specified address), including any complaints and photographs taken concerning a wall built on the property as well as excavated pits adjacent to the wall.
Tokens prepared for LDA: ['regard', 'specify', 'address', 'include', 'complaint', 'photograph', 'concern', 'build', 'property', 'excavate', 'adjacent']
Original Request: A copy of all e-mails sent and received on June 2 and 3, 2012 by the following staff members on the subject of the 2012 Eaton Centre Shooting.
Tokens prepared for LDA: ['receive', 'follow', 'staff', 'member', 'subject', 'eaton', 'centre', 'shooting']
Original Request: A copy of all e-mails sent and received on July 16 to 19, 2012 by the following staff members on the subject of the 2012 Danzig Street shooting.
Tokens prepared for LDA: ['receive', 'follow', 'staff', 'member', 'subject', 'danzig', 'street', 'shoot']
Original Request: A copy of the Taxi License Number for the taxi owner permit belonging to (an individual) in 2007. Also the name of the new license owner.
Tokens prepared for LDA: ['license', 'number', 'owner', 'permit', 'belong', 'individual', 'license', 'owner']
Original Request: A copy of any records documenting existence of bed bugs in City of Toronto facilities and corresponding actions and costs.
Tokens prepared for LDA: ['record', 'document', 'existence', 'toronto', 'facility', 'correspond', 'action']
Original Request: A copy of invoices from GFL (a solid waste provider to the City) also known as Green For Life Environmental from May 2012 to January 2013. Also any investigation, complaint and contract compliance records, including reports, e-mails or other documentation.
Tokens prepared for LDA: ['invoice', 'solid', 'waste', 'provider', 'green', 'environmental', 'january', 'investigation', 'complaint', 'contract', 'compliance', 'record', 'include', 'report', 'documentation']
Original Request: A copy of invoices from GFL (a solid waste provider to the City) also known as Green For Life Environmental from May 2012 to January 2013. Also any investigation, complaint and contract compliance records, including reports, e-mails or other documentation
Tokens prepared for LDA: ['invoice', 'solid', 'waste', 'provider', 'green', 'environmental', 'january', 'investigation', 'complaint', 'contract', 'compliance', 'record', 'include', 'report', 'documentation']
Original Request: A copy of all of the building records for (a specified address).
Tokens prepared for LDA: ['build', 'record', 'specify', 'address']
Original Request: A copy of the last 3 years of financial statements of (a specified address) located at (a specified address), Scarborough.
Tokens prepared for LDA: ['financial', 'statement', 'specify', 'address', 'locate', 'specify', 'address', 'scarborough']
Original Request: A copy of any records pertaining to the City owned trees at or near (a specified address) from January 1, 2002 to October 30, 2012.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'january', 'october']
Original Request: A copy of any records pertaining to the City owned trees at or near (a specified address) from January 1, 2002 to October 30, 2012.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'january', 'october']
Original Request: A copy of all MLS and Health records related to the business 1535640 Ont. Ltd., including all notes, health inspection records, documents, letters, payment receipts, photos, licences, permits, insurance information, etc. All records available.
Tokens prepared for LDA: ['health', 'record', 'relate', 'business', '1535640', 'include', 'health', 'inspection', 'record', 'document', 'letter', 'payment', 'receipt', 'photo', 'licence', 'permit', 'insurance', 'information', 'record', 'available']
Original Request: A copy of all MLS and Health records related to the business 1535640 Ont. Ltd., including all notes, health inspection records, documents, letters, payment receipts, photos, licences, permits, insurance information, etc. All records available.
Tokens prepared for LDA: ['health', 'record', 'relate', 'business', '1535640', 'include', 'health', 'inspection', 'record', 'document', 'letter', 'payment', 'receipt', 'photo', 'licence', 'permit', 'insurance', 'information', 'record', 'available']
Original Request: A copy of Mayor Rob Ford's daily itinerary from September 1, 2012 to February 11, 2013.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'september', 'february']
Original Request: A copy of work note permit, all orders to comply andany violation notices given for (a specified address). Please include records from Building and ML&S.
Tokens prepared for LDA: ['permit', 'order', 'comply', 'andany', 'violation', 'notice', 'specify', 'address', 'include', 'record', 'building', 'ml&s.']
Original Request: A copy of all documents, including but not limited to, e-mails, text messages, memos, and other correspondence sent by Mayor Rob Ford to his staff from January 1, 2012 to present.
Tokens prepared for LDA: ['document', 'include', 'limit', 'message', 'correspondence', 'mayor', 'staff', 'january', 'present']
Original Request: All correspondence sent to the city manager, the general manager of economic development, the director of Community Planning for the Toronto East York District, and Mayor Rob Ford by registered casino lobbyists, including but not limited to MGM.
Tokens prepared for LDA: ['correspondence', 'manager', 'general', 'manager', 'economic', 'development', 'director', 'community', 'planning', 'toronto', 'district', 'mayor', 'register', 'casino', 'lobbyist', 'include', 'limit']
Original Request: All correspondence sent to the city manager, the general manager of economic development, the director of Community Planning for the Toronto East York District, and Mayor Rob Ford by registered casino lobbyists, including but not limited to MGM.
Tokens prepared for LDA: ['correspondence', 'manager', 'general', 'manager', 'economic', 'development', 'director', 'community', 'planning', 'toronto', 'district', 'mayor', 'register', 'casino', 'lobbyist', 'include', 'limit']
Original Request: A copy of records related to the following 311 service call requests from September 2012 to January 2013. Reference No.: 1716869, 1716938, 1860187, 1886160, 1889664, and 1889672.
Tokens prepared for LDA: ['record', 'relate', 'follow', 'service', 'request', 'september', 'january', 'reference', '1716869', '1716938', '1860187', '1886160', '1889664', '1889672']
Original Request: A copy of all documents relating to the development application file 11 302503 STE 08 02 related to (a specified address).
Tokens prepared for LDA: ['document', 'relate', 'development', 'application', '302503', 'relate', 'specify', 'address']
Original Request: A copy of the approach for the building code application or fire protection approach for (a specified address).
Tokens prepared for LDA: ['approach', 'build', 'application', 'protection', 'approach', 'specify', 'address']
Original Request: A copy of all planning and building applications for (a specified address).
Tokens prepared for LDA: ['build', 'application', 'specify', 'address']
Original Request: Copies of all records showing all charges laid by Toronto Public Health under the Smoke Free Ontario Act (Jan. 2010 to Feb. 27, 2013), including, but not limited to, inspection reports, charges laid, convictions and any additional notes.
Tokens prepared for LDA: ['copy', 'record', 'charge', 'toronto', 'public', 'health', 'smoke', 'ontario', 'january', 'february', 'include', 'limit', 'inspection', 'report', 'charge', 'conviction', 'additional']
Original Request: Any and all file material, reports, investigation notes testing documents, photos/diagrams from Public Health on investigation of (a specified address) with respect to a marijuana grow-operation, discovered by police on July 3, 2008
Tokens prepared for LDA: ['material', 'report', 'investigation', 'document', 'photo', 'diagram', 'public', 'health', 'investigation', 'specify', 'address', 'respect', 'marijuana', 'operation', 'discover', 'police']
Original Request: A copy of fire incident reports for (a specified address). The first incident occurred on Jan. 8, 2013.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of any and all visits between 2006 and 2010 by ML&S officer Suzzette Bloomfield and other inspectors for (a specified address). Any and all visits, inspections by ML&S during 2011 after Sept. 2011.
Tokens prepared for LDA: ['visit', 'officer', 'suzzette', 'bloomfield', 'inspector', 'specify', 'address', 'visit', 'inspection', 'september']
Original Request: A copy of any and all visits between 2006 and 2010 by ML&S officer Suzzette Bloomfield and other inspectors for (a specified address). Any and all visits, inspections by ML&S during 2011 after Sept. 2011.
Tokens prepared for LDA: ['visit', 'officer', 'suzzette', 'bloomfield', 'inspector', 'specify', 'address', 'visit', 'inspection', 'september']
Original Request: A copy of all renovation / building permits for (a specified address) in Toronto, for any work done for the last 50 years.
Tokens prepared for LDA: ['renovation', 'build', 'permit', 'specify', 'address', 'toronto']
Original Request: A copy of City By-law inspection records for (a specified address) for health, safety, maintenance concerns including common areas of building and mice in cupboards, screen windows in apartment. The inspection was done on Dec. 17, 2012.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address', 'health', 'safety', 'maintenance', 'concern', 'include', 'common', 'build', 'mouse', 'cupboard', 'screen', 'window', 'apartment', 'inspection', 'december']
Original Request: A copy of past uses of the building and lot located at (a specified address), in particular commercial uses.
Tokens prepared for LDA: ['build', 'locate', 'specify', 'address', 'particular', 'commercial']
Original Request: A copy of building documents for (a specified address). File numbers are #136119, #286288 and # 168897.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'number', '136119', '286288', '168897']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of maintenance notice served to (an individual) of (a specified address) property on repairs to bathroom leaking.
Tokens prepared for LDA: ['maintenance', 'notice', 'serve', 'individual', 'specify', 'address', 'property', 'repair', 'bathroom']
Original Request: A copy of all building permits, violation records, orders issued from Building and ML&S for (a specified address). The search for records should go as far back as possible.
Tokens prepared for LDA: ['build', 'permit', 'violation', 'record', 'order', 'issue', 'building', 'specify', 'address', 'search', 'record', 'possible']
Original Request: A copy of Heritage Preservation Services' file and all relevant documents relating to (a specified address) which would show the property's history and decision to list it as a heritage property.
Tokens prepared for LDA: ['heritage', 'preservation', 'services', 'relevant', 'document', 'relate', 'specify', 'address', 'property', 'history', 'decision', 'heritage', 'property']
Original Request: A copy of building inspection reports that were part of permit application, design information for (a specified address).
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit', 'application', 'design', 'information', 'specify', 'address']
Original Request: A list of addresses that have a permit to remove a tree for construction.
Tokens prepared for LDA: ['address', 'permit', 'remove', 'construction']
Original Request: A copy of building inspection report and ML&S investigation report for (a specified address) relating to the grading and downsprouts which caused flooding at (a specified address).
Tokens prepared for LDA: ['build', 'inspection', 'report', 'investigation', 'report', 'specify', 'address', 'relate', 'grade', 'downsprouts', 'cause', 'flood', 'specify', 'address']
Original Request: A copy of building permit, building inspection report and any infractions, injunctions and judgments relating to the roof-top deck at (a specified address) Toronto for 2012.
Tokens prepared for LDA: ['build', 'permit', 'build', 'inspection', 'report', 'infraction', 'injunction', 'judgment', 'relate', 'specify', 'address', 'toronto']
Original Request: A copy of building permit, building inspection report and any infractions, injunctions and judgments relating to the 2nd storey deck at (a specified address) Toronto for 2012.
Tokens prepared for LDA: ['build', 'permit', 'build', 'inspection', 'report', 'infraction', 'injunction', 'judgment', 'relate', 'storey', 'specify', 'address', 'toronto']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records stating that the property at (a specified address) is a legal triplex with a legal patio.
Tokens prepared for LDA: ['record', 'state', 'property', 'specify', 'address', 'legal', 'triplex', 'legal', 'patio']
Original Request: A copy of complete file from Animal Services, including but not limited to any interview / incident notes and reports for the dog bite incident that occurred on June 30, 2012. The victim was (an individual).
Tokens prepared for LDA: ['complete', 'animal', 'services', 'include', 'limit', 'interview', 'incident', 'report', 'incident', 'occur', 'victim', 'individual']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: All dates and times in 2010, 2011 and 2012 when Toronto Fire Services were called to rescue individuals trapped in the elevators at (a specified address), Toronto.
Tokens prepared for LDA: ['toronto', 'services', 'rescue', 'individual', 'elevator', 'specify', 'address', 'toronto']
Original Request: A copy of all correspondence letters, e-mails, files, and reports to or from the City Manager's Office with any reference to McLevin Community Park including the renaming of the park.
Tokens prepared for LDA: ['correspondence', 'letter', 'report', 'manager', 'office', 'reference', 'mclevin', 'community', 'include', 'rename']
Original Request: A copy of any building permits and documentation issued to (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'documentation', 'issue', 'specify', 'address']
Original Request: A copy of records showing the total amount of money by year spent on capital initiatives and land acquisitions in the Downtown and Central Waterfront as well as the addresses of the acquisitions. Records from 1998 to 2012.
Tokens prepared for LDA: ['record', 'total', 'money', 'spend', 'capital', 'initiative', 'acquisition', 'downtown', 'central', 'waterfront', 'address', 'acquisition', 'record']
Original Request: A copy of an itemized ist of Parks, Forestry and Recreation capital expenditures within the Downtown and Central Waterfront by year and the parks (including addresses) where the funds were spent. Records from 1998 to 2012.
Tokens prepared for LDA: ['itemize', 'parks', 'forestry', 'recreation', 'capital', 'expenditure', 'downtown', 'central', 'waterfront', 'include', 'address', 'spend', 'record']
Original Request: A copy of an itemized ist of Parks, Forestry and Recreation capital expenditures within the Downtown and Central Waterfront by year and the parks (including addresses) where the funds were spent. Records from 1998 to 2012.
Tokens prepared for LDA: ['itemize', 'parks', 'forestry', 'recreation', 'capital', 'expenditure', 'downtown', 'central', 'waterfront', 'include', 'address', 'spend', 'record']
Original Request: A copy of the total amount of cash in lieu collected from developments within the Downtown and Central Waterfront by year and by project, including addresses. Records from 1998 to 2012.
Tokens prepared for LDA: ['total', 'collect', 'development', 'downtown', 'central', 'waterfront', 'project', 'include', 'address', 'record']
Original Request: A copy of the complaint file no. 132379 with Animal Services related to an incident that occurred on February 8, 2013.
Tokens prepared for LDA: ['complaint', '132379', 'animal', 'services', 'relate', 'incident', 'occur', 'february']
Original Request: A copy of all records related to mould at (a specified address). The first complaint was made around May 2012.
Tokens prepared for LDA: ['record', 'relate', 'mould', 'specify', 'address', 'complaint']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 30, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for (a specified address). The incident occurred on June 16, 2007.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on July 26, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of all fire reports for (a specified address) from the past several years, including the fire report related to the incident on January 25, 2013 (a specified address).
Tokens prepared for LDA: ['report', 'specify', 'address', 'include', 'report', 'relate', 'incident', 'january', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 14, 2005.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 2, 2013. Fire Report No. F13017345.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march', 'report', 'f13017345']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 11 or 12, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: A copy of any soil reports for work associated with curb stop and water service replacement at (a specified address) between 2008 and present. Also any inspection reports regarding concrete, soils, etc.
Tokens prepared for LDA: ['report', 'associate', 'water', 'service', 'replacement', 'specify', 'address', 'present', 'inspection', 'report', 'regard', 'concrete']
Original Request: A copy of records related to the York Old Mill Tennis Club including invoices of shoe tag orders from 2007 to 2012, applications and non sold shoe tags from 2007 to 2012, invoices for court resurfacing in 2007, and the court supervisor's salary for 2012.
Tokens prepared for LDA: ['record', 'relate', 'tennis', 'include', 'invoice', 'order', 'application', 'invoice', 'court', 'resurface', 'court', 'supervisor', 'salary']
Original Request: A copy of the meeting minutes between Parks, Forestry and Recreation staff, and the York Old Mill Tennis Club (YOMTC) from September and November 2012. Also a copy of the report related to the AGM of YOMTC from February 7, 2013.
Tokens prepared for LDA: ['minute', 'parks', 'forestry', 'recreation', 'staff', 'tennis', 'yomtc', 'september', 'november', 'report', 'relate', 'yomtc', 'february']
Original Request: A copy of records showing any actions taken regarding an urban forestry complaint submitted against (a specified address) on January 12, 2013. Also any records regarding the manipulation of the metal survey boundary post between (a specified address).
Tokens prepared for LDA: ['record', 'action', 'regard', 'urban', 'forestry', 'complaint', 'submit', 'specify', 'address', 'january', 'record', 'regard', 'manipulation', 'metal', 'survey', 'boundary', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address).
Tokens prepared for LDA: ['report', 'specify', 'address']
Original Request: A copy of all building records related to (a specified address), including records related to the common party wall between (a specified address) and any orders, inspections, notices, etc.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'include', 'record', 'relate', 'common', 'party', 'specify', 'address', 'order', 'inspection', 'notice']
Original Request: A copy of all building records related to development, complaints, infractions, property standard issues, surveys, plan approvals, structures, construction and planning problems related to (a specified address).
Tokens prepared for LDA: ['build', 'record', 'relate', 'development', 'complaint', 'infraction', 'property', 'standard', 'issue', 'survey', 'approval', 'structure', 'construction', 'problem', 'relate', 'specify', 'address']
Original Request: A copy of the estimated renovation costs regarding the ferry docks waiting area and washrooms located at (a specified address).
Tokens prepared for LDA: ['estimate', 'renovation', 'regard', 'ferry', 'washroom', 'locate', 'specify', 'address']
Original Request: A copy of the decision to deny (a specified address) application (report no. 5778) for a driving instructors licence (no. B186787).
Tokens prepared for LDA: ['decision', 'specify', 'address', 'application', 'report', 'drive', 'instructor', 'licence', 'b186787']
Original Request: A list including the number of complaints (to 311, the public realm unit, Municipal Licensing & Standards Unit, Sign bylaw Unit and Transportation) about the placement of street furniture per year since 2009.
Tokens prepared for LDA: ['include', 'complaint', 'public', 'realm', 'municipal', 'license', 'standard', 'bylaw', 'transportation', 'placement', 'street', 'furniture']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on February 28, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on February 3, 2012 at 3:30 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on December 20, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 1, 2013. Fire Report No. F13017126.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march', 'report', 'f13017126']
Original Request: A copy of all building permit file records relating to third party signs in the past 33 years from (1980 to 2013) for (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'record', 'relate', 'party', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of all MLS and Public Health inspection reports from 2010 to present for (a specified address).
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'present', 'specify', 'address']
Original Request: A copy of all work orders, deficiency orders, and orders to comply for (a specified address) from 1985 to present. Records including any pictures on file.
Tokens prepared for LDA: ['order', 'deficiency', 'order', 'order', 'comply', 'specify', 'address', 'present', 'record', 'include', 'picture']
Original Request: A copy of the following building documents for (a specified address): grading certificate, plumbing and drain inspection notes, and all other construction notes from the inspection files.
Tokens prepared for LDA: ['follow', 'build', 'document', 'specify', 'address', 'grade', 'certificate', 'plumb', 'drain', 'inspection', 'construction', 'inspection']
Original Request: A copy of any and all information regarding fire and safety for (a specified address), including any inspection records. Also any records confirming that the basement apartment is an authorized second suite.
Tokens prepared for LDA: ['information', 'regard', 'safety', 'specify', 'address', 'include', 'inspection', 'record', 'record', 'confirm', 'basement', 'apartment', 'authorize', 'suite']
Original Request: A copy of the video recording made by the City of Toronto of the St. Lawrence Market North Building. The video was from November 1, 2012 between 1:30 p.m. to 2:50 p.m. and with respect to the Design Review Panel.
Tokens prepared for LDA: ['video', 'record', 'toronto', 'lawrence', 'market', 'north', 'building', 'video', 'november', 'respect', 'design', 'review', 'panel']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from January 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of records related to the open building permit file for (a specified address).
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'specify', 'address']
Original Request: A copy of all records involving a staff report on casinos between February 11, 2013 and present.
Tokens prepared for LDA: ['record', 'involve', 'staff', 'report', 'casino', 'february', 'present']
Original Request: A copy of all records pertaining to (a specified address) from 2008 to present, including records related to issues involving mould, flooding, etc.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'present', 'include', 'record', 'relate', 'issue', 'involve', 'mould', 'flood']
Original Request: A copy of the building records related to (a specified address), Scarborough
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'scarborough']
Original Request: A copy of all building and fire records related to the construction and occupancy of (a specified address) as well as the fire that occurred on March 7, 2013. Fire Service records including witness statements, photos, fire fighter statements, and any analysis.
Tokens prepared for LDA: ['build', 'record', 'relate', 'construction', 'occupancy', 'specify', 'address', 'occur', 'march', 'service', 'record', 'include', 'witness', 'statement', 'photo', 'fighter', 'statement', 'analysis']
Original Request: A copy of the 911 call recording from Fire Services relating to the motor vehicle accident that occurred at Sherbourne Street and Queen Street East. The incident occurred on October 21, 2010.
Tokens prepared for LDA: ['record', 'services', 'relate', 'motor', 'vehicle', 'accident', 'occur', 'sherbourne', 'street', 'queen', 'street', 'incident', 'occur', 'october']
Original Request: A copy of the 911 call recording from Fire Services relating to the motor vehicle accident that occurred at Sherbourne Street and Queen Street East. The incident occurred on October 21, 2010.
Tokens prepared for LDA: ['record', 'services', 'relate', 'motor', 'vehicle', 'accident', 'occur', 'sherbourne', 'street', 'queen', 'street', 'incident', 'occur', 'october']
Original Request: A copy of the complete building permit file for (a specified address).
Tokens prepared for LDA: ['complete', 'build', 'permit', 'specify', 'address']
Original Request: A copy of all documents and records that relate to the assessment of partially completed structures throughout Toronto for the current January 1, 2008 current assessment cycle ("2008 CVA").
Tokens prepared for LDA: ['document', 'record', 'relate', 'assessment', 'partially', 'complete', 'structure', 'toronto', 'current', 'january', 'current', 'assessment', 'cycle']
Original Request: A copy of the building history of repairs from 2006 to 2013 at (a specified address).
Tokens prepared for LDA: ['build', 'history', 'repair', 'specify', 'address']
Original Request: A copy of all records including, but not limited to, briefing notes, memos, reports and correspondence by Animal Services regarding Toronto's cat overpopulation problem from January 2010 to present.
Tokens prepared for LDA: ['record', 'include', 'limit', 'brief', 'report', 'correspondence', 'animal', 'services', 'regard', 'toronto', 'overpopulation', 'problem', 'january', 'present']
Original Request: A copy of the engineer's report dated March 6, 2013 from Bremel Co. for {a specified address}. The report is attached to either permit no. 2012 203479 BLD or 2012 191021 BLD.
Tokens prepared for LDA: ['engineer', 'report', 'march', 'bremel', 'specify', 'address}.', 'report', 'attach', 'permit', '203479', '191021']
Original Request: A copy of the fire report for (a specified address). The incident occurred on September 23, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 25, 2007.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the report regarding the mould assessment conducted by a professional environmental consultant on Dec. 12, 2012 for (a specified address). This report was provided to Public Health South Region office.
Tokens prepared for LDA: ['report', 'regard', 'mould', 'assessment', 'conduct', 'professional', 'environmental', 'consultant', 'december', 'specify', 'address', 'report', 'provide', 'public', 'health', 'south', 'region', 'office']
Original Request: All e-mails, documents, reports, attachments and correspondence between Toronto Zoo CEO John Tracogna, Zoo Board Chair Joe Torszeck, all Zoo Board members, Zoo Management, Toronto Zoo vets Graham Crawshaw and Bill Rapley, Detroit Zoo and/or Detroit Zoo's
Tokens prepared for LDA: ['document', 'report', 'attachment', 'correspondence', 'toronto', 'tracogna', 'board', 'chair', 'torszeck', 'board', 'member', 'management', 'toronto', 'graham', 'crawshaw', 'rapley', 'detroit', 'and/or', 'detroit']
Original Request: All reports, attachments, e-mails, correspondence, from Councillor Michelle Berardinetti on the matters of Toronto Zoo elephants transfer, PAWS Sanctuary, Toronto Zoo, Zoo staff, transportation of Toronto Zoo elephants between June 1, 2012 to present.
Tokens prepared for LDA: ['report', 'attachment', 'correspondence', 'councillor', 'michelle', 'berardinetti', 'matter', 'toronto', 'elephant', 'transfer', 'sanctuary', 'toronto', 'staff', 'transportation', 'toronto', 'elephant', 'present']
Original Request: A list by addresses in the GTA and dates of the highest priority calls to EMS that were 30 minutes or more in duration from the time of the initial call to arrival of person(s) at a hospital.
Tokens prepared for LDA: ['address', 'priority', 'minute', 'duration', 'initial', 'arrival', 'person(s', 'hospital']
Original Request: Any record on investigation or action taken by Mayor's Office relating to the identity theft complaint filed by (a specified address) in September 2011 and November 2012, regarding Toronto Community Housing Corp.
Tokens prepared for LDA: ['record', 'investigation', 'action', 'mayor', 'office', 'relate', 'identity', 'theft', 'complaint', 'specify', 'address', 'september', 'november', 'regard', 'toronto', 'community', 'housing', 'corp.']
Original Request: A copy of the bid documents provided by the three lowest bidders for the call document no. 279-2011 regarding various work required at Earl Bales Park. The same records as requested under FOI #2012-00621.
Tokens prepared for LDA: ['document', 'provide', 'bidder', 'document', 'regard', 'various', 'require', 'bale', 'record', 'request', '00621']
Original Request: A copy of all building and City Planning documents related to (a specified address).
Tokens prepared for LDA: ['build', 'planning', 'document', 'relate', 'specify', 'address']
Original Request: A copy of Mayor Rob Ford's parking records at City Hall parking lot from June 23, 2012 to present, including log sheets showing him going in and out.
Tokens prepared for LDA: ['mayor', 'record', 'present', 'include', 'sheet']
Original Request: A copy of any complaints about hoarding at (a specified address).
Tokens prepared for LDA: ['complaint', 'hoard', 'specify', 'address']
Original Request: A copy of all HVAC reports, heat loss/gain calculations, duct work calculations and any specifications and air balance reports for (a specified address)
Tokens prepared for LDA: ['report', 'calculation', 'calculation', 'specification', 'balance', 'report', 'specify', 'address']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Rexdale Blvd and Queens Plate Drive. The incident occurred on November 24, 2010 at approximately 21:53.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'rexdale', 'queens', 'plate', 'drive', 'incident', 'occur', 'november', 'approximately', '21:53']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 30, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on or about January 13, 2013. Also include any photographs, statements, notes and all other relevant information pertaining to the fire.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january', 'include', 'photograph', 'statement', 'relevant', 'information', 'pertain']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on or about January 13, 2013. Also include any photographs, statements, notes and all other relevant information pertaining to the fire.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january', 'include', 'photograph', 'statement', 'relevant', 'information', 'pertain']
Original Request: A copy of records related to the sewer back up at or around (a specified address). The incident occurred around December 31, 2012 and January 1, 2013.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'specify', 'address', 'incident', 'occur', 'december', 'january']
Original Request: A copy of the building records related to (a specified address).
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address']
Original Request: A copy of the building file related to (a specified address), including all permit applications and inspections.
Tokens prepared for LDA: ['build', 'relate', 'specify', 'address', 'include', 'permit', 'application', 'inspection']
Original Request: A copy of any records related to City trees around (a specified address) between October 2001 and November 2012.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'october', 'november']
Original Request: A copy of the fire report for (a specified address). The incident occurred between 13:00 and 16:00.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', '13:00', '16:00']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for the incident involving a vehicle/pedestrian incident at Queen Street and Sherbourne Street. The incident occurred on October 21, 2010. Records should also include any additional records such as witness statements.
Tokens prepared for LDA: ['report', 'incident', 'involve', 'vehicle', 'pedestrian', 'incident', 'queen', 'street', 'sherbourne', 'street', 'incident', 'occur', 'october', 'record', 'include', 'additional', 'record', 'witness', 'statement']
Original Request: A copy of fire report for (a specified address). The incident occurred on March 14, 2013. The fire report no. F13020317.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march', 'report', 'f13020317']
Original Request: A copy of the dog bite report no. 2549. The dog bite incident occurred on February 15, 2013 on Clair Road, Toronto.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'february', 'clair', 'toronto']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 5, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on February 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 10, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of any Public Health inspection records from January 2010 to December 31, 2011 regarding the entire building at (a specified address).
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'january', 'december', 'regard', 'entire', 'build', 'specify', 'address']
Original Request: A copy of any complaint records or service order requests regarding the street lighting at the parking lot of Albion and Finch Plaza, (a specified address), between September 15 and October 15, 2011.
Tokens prepared for LDA: ['complaint', 'record', 'service', 'order', 'request', 'regard', 'street', 'light', 'albion', 'finch', 'plaza', 'specify', 'address', 'september', 'october']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from January 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of all information and records related to the water main break around Yonge and Eglinton on or around December 8, 2012.
Tokens prepared for LDA: ['information', 'record', 'relate', 'water', 'break', 'yonge', 'eglinton', 'december']
Original Request: A copy of all documents under building permit no. 36851 (1980).
Tokens prepared for LDA: ['document', 'build', 'permit', '36851']
Original Request: A copy of any records related to the water back up in the basement at (a specified address), Scarborough.
Tokens prepared for LDA: ['record', 'relate', 'water', 'basement', 'specify', 'address', 'scarborough']
Original Request: A copy of the complaint records regarding (a specified address), Scarborough. The complaints were related to sky lights bring installed as well as the fence at the side of the property. Also the 911 call records related to a fire on March 9. 2013.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'specify', 'address', 'scarborough', 'complaint', 'relate', 'light', 'bring', 'install', 'fence', 'property', 'record', 'relate', 'march']
Original Request: A copy of any records related to a dog bite incident near Islington Avenue and Steeles Avenue involving two cane corso mastiffs. The incident occurred on January 27, 2013.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'islington', 'avenue', 'steele', 'avenue', 'involve', 'corso', 'mastiff', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on March 15, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of all records relating to (a specified address), including any complaint records. All records from 1994 to present.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'complaint', 'record', 'record', 'present']
Original Request: A copy of the all inbound and outbound correspondence from the e-mail address handdryers@toronto.ca. Records from March 21, 2010 to March 21, 2013.
Tokens prepared for LDA: ['inbound', 'outbound', 'correspondence', 'address', 'handdryers@toronto.ca', 'record', 'march', 'march']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 18, 2013. Fire Report No. F13005030.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january', 'report', 'f13005030']
Original Request: A copy of the occupancy permit issued at completion of constuction in the 1960's for (a specified address), Etobicoke.
Tokens prepared for LDA: ['occupancy', 'permit', 'issue', 'completion', 'constuction', 'specify', 'address', 'etobicoke']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for the biking incident that occurred on Betty Sutherland Trail near North York General Hospital. The incident occurred on July 16, 2012.
Tokens prepared for LDA: ['report', 'bike', 'incident', 'occur', 'betty', 'sutherland', 'trail', 'north', 'general', 'hospital', 'incident', 'occur']
Original Request: A copy of all MLS inspection records from 2010 to present, the fire inspection report from February 2013 and the Public Health inspection report from March 2013 for (a specified address).
Tokens prepared for LDA: ['inspection', 'record', 'present', 'inspection', 'report', 'february', 'public', 'health', 'inspection', 'report', 'march', 'specify', 'address']
Original Request: A copy of any records related to work done by building permits at (a specified address) (i.e. rear deck, new roof, etc.).
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'specify', 'address']
Original Request: A copy of any surveillance tapes or RESCU camera images of the Don Valley Parkway after the Bloor Bridge (southbound) from September 18, 2010 between 7 and 8 p.m. Specifically any records showing the traffic conditions between 7 and 8 p.m.
Tokens prepared for LDA: ['surveillance', 'rescu', 'camera', 'image', 'valley', 'parkway', 'bloor', 'bridge', 'southbound', 'september', 'specifically', 'record', 'traffic', 'condition']
Original Request: A copy of any surveillance tapes or RESCU camera images of the Don Valley Parkway after the Bloor Bridge (southbound) from September 18, 2010 between 7 and 8 p.m. Specifically any records showing the traffic conditions between 7 and 8 p.m.
Tokens prepared for LDA: ['surveillance', 'rescu', 'camera', 'image', 'valley', 'parkway', 'bloor', 'bridge', 'southbound', 'september', 'specifically', 'record', 'traffic', 'condition']
Original Request: A copy of the renovation history of (a specified address), including all building permits and inspections related to the property.
Tokens prepared for LDA: ['renovation', 'history', 'specify', 'address', 'include', 'build', 'permit', 'inspection', 'relate', 'property']
Original Request: A copy of all MLS records related to (a specified address), including any pictures.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'picture']
Original Request: A copy of the call document issued in 2010 by the Goods & Services Contract no. 47015565.
Tokens prepared for LDA: ['document', 'issue', 'good', 'services', 'contract', '47015565']
Original Request: A copy of the call document issued in 2010 by the Goods & Services Contract no. 47015565.
Tokens prepared for LDA: ['document', 'issue', 'good', 'services', 'contract', '47015565']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 16, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address), Scarborough. The motor vehicle incident occurred on February 15, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'motor', 'vehicle', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 12, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the application form related to the building permit no. 12-295758 for (a specified address).
Tokens prepared for LDA: ['application', 'relate', 'build', 'permit', '295758', 'specify', 'address']
Original Request: A copy of the report related to a complaint made against the contractor (a specified address). The complaint was made in 2011. MLS file no. B20439.
Tokens prepared for LDA: ['report', 'relate', 'complaint', 'contractor', 'specify', 'address', 'complaint', 'b20439']
Original Request: A copy of all sign permits for (a specified address).
Tokens prepared for LDA: ['permit', 'specify', 'address']
Original Request: A copy of any documents related to fire code violations, work orders, and notices for (a specified address), including any clearance certificates from the fire department regarding fire separations.
Tokens prepared for LDA: ['document', 'relate', 'violation', 'order', 'notice', 'specify', 'address', 'include', 'clearance', 'certificate', 'department', 'regard', 'separation']
Original Request: A copy of the order issued to (a specified address) as well as the arborist report related to the tree which is to be removed by April 3, 2013 and any other correspondence.
Tokens prepared for LDA: ['order', 'issue', 'specify', 'address', 'arborist', 'report', 'relate', 'remove', 'april', 'correspondence']
Original Request: A copy of the request made through 311 to get a disabled designation removed from (a specified address). Reference No. 1250723.
Tokens prepared for LDA: ['request', 'disable', 'designation', 'remove', 'specify', 'address', 'reference', '1250723']
Original Request: A copy of the records related to the basement drain back up at (a specified address) on February 28, 2013, including records related to the work order no. 1957782.
Tokens prepared for LDA: ['record', 'relate', 'basement', 'drain', 'specify', 'address', 'february', 'include', 'record', 'relate', 'order', '1957782']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of details related to the usage of Mayor Rob Ford's City Hall parking pass from June 19, 2012 to present. Including any log sheets showing him coming in and out.
Tokens prepared for LDA: ['relate', 'usage', 'mayor', 'present', 'include', 'sheet']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on August 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'august']
Original Request: A copy of all information which outlines the exemption granted to Brookfield Multiplex regarding (a specified address), including all documents from August 1, 2012 to present (including third party records).
Tokens prepared for LDA: ['information', 'outline', 'exemption', 'grant', 'brookfield', 'multiplex', 'regard', 'specify', 'address', 'include', 'document', 'august', 'present', 'include', 'party', 'record']
Original Request: A copy of all documents showing the builder or architect for (a specified address).
Tokens prepared for LDA: ['document', 'builder', 'architect', 'specify', 'address']
Original Request: A copy of records concerning (a specified address), including orders, permit applications, complaints, fire department orders, violations, ect. Records from 2000 to present.
Tokens prepared for LDA: ['record', 'concern', 'specify', 'address', 'include', 'order', 'permit', 'application', 'complaint', 'department', 'order', 'violation', 'record', 'present']
Original Request: A copy of any Building or City Planning information pertaining to (a specified address), including any permits, applications, etc.
Tokens prepared for LDA: ['building', 'planning', 'information', 'pertain', 'specify', 'address', 'include', 'permit', 'application']
Original Request: A copy of any Building or City Planning information pertaining to (a specified address), including any permits, applications, etc.
Tokens prepared for LDA: ['building', 'planning', 'information', 'pertain', 'specify', 'address', 'include', 'permit', 'application']
Original Request: A copy of any Building or City Planning information pertaining to (a specified address), including any permits, applications, etc.
Tokens prepared for LDA: ['building', 'planning', 'information', 'pertain', 'specify', 'address', 'include', 'permit', 'application']
Original Request: A copy of all information regarding the property severance at (a specified address), including building permits, Committee of Adjustment filings, proceedings, granting of variances, etc., and any OMB proceedings and granting of variance.
Tokens prepared for LDA: ['information', 'regard', 'property', 'severance', 'specify', 'address', 'include', 'build', 'permit', 'committee', 'adjustment', 'filing', 'proceeding', 'grant', 'variance', 'proceeding', 'grant', 'variance']
Original Request: A copy of any records related to the gasoline tank spill which occurred at (a specified address) on May 10, 2009 due to a motor vehicle accident.
Tokens prepared for LDA: ['record', 'relate', 'gasoline', 'spill', 'occur', 'specify', 'address', 'motor', 'vehicle', 'accident']
Original Request: A copy of any records pertaining to any work done on the water main system and sewage system in the vicinity of (a specified address) between June 4, 2012 and July 20, 2012.
Tokens prepared for LDA: ['record', 'pertain', 'water', 'sewage', 'vicinity', 'specify', 'address']
Original Request: A copy of information related to the red light camera installed at the corner of Don Mills Road and Finch Avenue, including the manufacturer, date camera was installed, service maintenance details, etc.
Tokens prepared for LDA: ['information', 'relate', 'light', 'camera', 'install', 'corner', 'mills', 'finch', 'avenue', 'include', 'manufacturer', 'camera', 'install', 'service', 'maintenance']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from January 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 23, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on November 26, 2012. Fire Report No. F12115097.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'november', 'report', 'f12115097']
Original Request: A list containing all court convicted Highway Traffic Act infractions, including the dates of infractions, the dates of convictions, when the fines were paid, how much was paid and the number of infraction notices on each from Jan. 1, 2000 to present.
Tokens prepared for LDA: ['contain', 'court', 'convict', 'highway', 'traffic', 'infraction', 'include', 'infraction', 'conviction', 'infraction', 'notice', 'january', 'present']
Original Request: A copy of the MLS file no.'s B20035, B20460, B11227 and B10388. All files relate to complaints made regarding work completed at (a specified address).
Tokens prepared for LDA: ['b20035', 'b20460', 'b11227', 'b10388', 'relate', 'complaint', 'regard', 'complete', 'specify', 'address']
Original Request: A copy of all handwritten inspection reports from Public Health for (a specified address) from January 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'specify', 'address', 'january', 'present']
Original Request: A copy of the ML&S file no. 10-315437 PRS 00IV regarding an order to comply and Building file no. 99-11173880M00RP regarding an open garage permit. Both files pertain to (a specified address).
Tokens prepared for LDA: ['315437', 'regard', 'order', 'comply', 'building', '11173880m00rp', 'regard', 'garage', 'permit', 'pertain', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 5, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of all inspector notes regarding drainage issues at (a specified address), Etobicoke.
Tokens prepared for LDA: ['inspector', 'regard', 'drainage', 'issue', 'specify', 'address', 'etobicoke']
Original Request: A copy of video surveillance records for 65 Front Street West in the Via Rail departure area on February 1, 2013 from 16:61 to 16:38 and on February 10, 2013 from 22:44 to 22:47.
Tokens prepared for LDA: ['video', 'surveillance', 'record', 'street', 'departure', 'february', '16:61', '16:38', 'february', '22:44', '22:47']
Original Request: A copy of the encroachment agreement between the City of Toronto and (a specified address).
Tokens prepared for LDA: ['encroachment', 'agreement', 'toronto', 'specify', 'address']
Original Request: A copy of any building permits or City Planning decisions regarding (a specified address), including any records showing the property as a legal 6plex dwelling unit.
Tokens prepared for LDA: ['build', 'permit', 'planning', 'decision', 'regard', 'specify', 'address', 'include', 'record', 'property', 'legal', '6plex', 'dwell']
Original Request: A copy of records related to the third party advertising permit for the signs facing the north and south on the roof of (a specified address).
Tokens prepared for LDA: ['record', 'relate', 'party', 'advertise', 'permit', 'north', 'south', 'specify', 'address']
Original Request: A copy of all permit applications for (a specified address), including all permits issued, all plans submitted to obtain permits, and all inspectors' reports for all permits.
Tokens prepared for LDA: ['permit', 'application', 'specify', 'address', 'include', 'permit', 'issue', 'submit', 'obtain', 'permit', 'inspector', 'report', 'permit']
Original Request: Records regarding enteric outbreaks and food borne illnesses, including, but not limited to, complaints for (a specified address) from 2010 to 2013.
Tokens prepared for LDA: ['record', 'regard', 'enteric', 'outbreak', 'illness', 'include', 'limit', 'complaint', 'specify', 'address']
Original Request: A copy of records confirming when trees were trimmed before and after July 25, 2012 on Lakeshore Blvd West between Windermere and South Kingway (north side) heading west.
Tokens prepared for LDA: ['record', 'confirm', 'lakeshore', 'windermere', 'south', 'kingway', 'north']
Original Request: A copy of MLS investigation reports for (a specified address), including handwritten reports.
Tokens prepared for LDA: ['investigation', 'report', 'specify', 'address', 'include', 'handwritten', 'report']
Original Request: A copy of the complete building file for (a specified address), including but not limited to all records related to inspections and permits.
Tokens prepared for LDA: ['complete', 'build', 'specify', 'address', 'include', 'limit', 'record', 'relate', 'inspection', 'permit']
Original Request: A copy of the MLS and heat file for (a specified address). File No.'s: 131-00-190 and 131-288-27.
Tokens prepared for LDA: ['specify', 'address']
Original Request: A copy of Toronto Water records related to the work completed at (a specified address), including the work completed on the sidewalk between (a specified address).
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relate', 'complete', 'specify', 'address', 'include', 'complete', 'sidewalk', 'specify', 'address']
Original Request: A copy of Toronto Water records related to the work completed at (a specified address), including the work completed on the sidewalk between (a specified address).
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relate', 'complete', 'specify', 'address', 'include', 'complete', 'sidewalk', 'specify', 'address']
Original Request: A copy of all information regarding any by-law infractions, noise complaints, memo's to file, or any and all related matters concerning either (a specified address) for (a specified address).
Tokens prepared for LDA: ['information', 'regard', 'infraction', 'noise', 'complaint', 'relate', 'matter', 'concern', 'specify', 'address', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of any receipts for MRDD and Tree deposits for (a specified address).
Tokens prepared for LDA: ['receipt', 'deposit', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address), North York.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north']
Original Request: A copy of the fire report for (a specified address). The incident occurred on June 4, 2012. Fire Report No. F12062435.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'report', 'f12062435']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 9, 2013 at 8:45 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 19, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on January 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'january']
Original Request: A copy of records showing the number of parking infraction notices issued on Cavell Avenue for 2011, 2012, and 2013 (January 1, 2013 to present).
Tokens prepared for LDA: ['record', 'infraction', 'notice', 'issue', 'cavell', 'avenue', 'january', 'present']
Original Request: A copy of the Committee of Adjustment decision and zoning review for (a specified address).
Tokens prepared for LDA: ['committee', 'adjustment', 'decision', 'review', 'specify', 'address']
Original Request: A copy of the building permit file for (a specified address), including file no.'s: 13 145707 and 11 254707.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'include', '145707', '254707']
Original Request: A copy of the complete 311 call records regarding the toilet at (a specified address).
Tokens prepared for LDA: ['complete', 'record', 'regard', 'toilet', 'specify', 'address']
Original Request: A copy of the archival records pertaining to (a specified address), including drawings. Fonds 220, Series 184.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'specify', 'address', 'include', 'drawing', 'fonds', 'series']
Original Request: A copy of records related to (a specified address) for the past 3 years, including inspections, violations, complaints, notices, e-mail correspondence, etc.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'inspection', 'violation', 'complaint', 'notice', 'correspondence']
Original Request: A copy of all building documents available for (a specified address).
Tokens prepared for LDA: ['build', 'document', 'available', 'specify', 'address']
Original Request: Any draft copies of a report on Human Trafficking intended for Mayor Ford's Executive Committee, dated January 22, 2013. AFS #16144. Also any previous reports, including drafts, prepared by the City on the subject of Human Trafficking.
Tokens prepared for LDA: ['draft', 'report', 'human', 'traffic', 'intend', 'mayor', 'executive', 'committee', 'january', '16144', 'previous', 'report', 'include', 'draft', 'prepare', 'subject', 'human', 'traffic']
Original Request: A copy of any records, specifically internal reports, e-mails, and memos, produced in response to the staff report on Human Trafficking, dated January 22, 2013. AFS #16144.
Tokens prepared for LDA: ['record', 'specifically', 'internal', 'report', 'produce', 'response', 'staff', 'report', 'human', 'traffic', 'january', '16144']
Original Request: A copy of records of data behind the map of Toronto's Stock of Occupied and Vacant Lands in Employment Localities' from the report: Sustainable Competitive Advantage and Prosperity - Planning for Employment Uses in the City of Toronto (Oct. 2012).
Tokens prepared for LDA: ['record', 'datum', 'toronto', 'stock', 'occupy', 'vacant', 'land', 'employment', 'locality', 'report', 'sustainable', 'competitive', 'advantage', 'prosperity', 'planning', 'employment', 'toronto', 'october']
Original Request: A copy of all reports, notes, photographs, e-mails, witness statements, diagrams, etc. pertaining to the accidental operation of the sprinkler system and alarm at (a specified address). The incident occurred around April 22, 2011.
Tokens prepared for LDA: ['report', 'photograph', 'witness', 'statement', 'diagram', 'pertain', 'accidental', 'operation', 'sprinkler', 'alarm', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for the motor vehicle accident at McCowan Road and Sheppard Avenue East. The incident occurred on July 23, 2009. Fire Report No. F09081189.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'mccowan', 'sheppard', 'avenue', 'incident', 'occur', 'report', 'f09081189']
Original Request: A copy of any forestry or ravine management/improvement records related to (a specified address).
Tokens prepared for LDA: ['forestry', 'ravine', 'management', 'improvement', 'record', 'relate', 'specify', 'address']
Original Request: A copy of the site visit report for Paws Sanctuary which was conducted by Toronto Zoo vets and staff after a site visit by Paws (2011/2012). Also all correspondence to Toronto Zoo and Zoo Board Chair from certain City Councillors regarding Zoo staff.
Tokens prepared for LDA: ['visit', 'report', 'sanctuary', 'conduct', 'toronto', 'staff', 'visit', '2011/2012', 'correspondence', 'toronto', 'board', 'chair', 'certain', 'councillor', 'regard', 'staff']
Original Request: A copy of any records related to (a specified address) being previously used as a grow house, including results of post-remediation inspections and other due diligence done by the City.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'previously', 'house', 'include', 'result', 'remediation', 'inspection', 'diligence']
Original Request: A copy of records indicating the total amount paid to external law firms for legal representation of the Toronto Police Services Board in relation to the (named individual) Class Action (regarding the G20 summit). Update from FOI #2012-02194 (Oct. 31, 2012 to present).
Tokens prepared for LDA: ['record', 'indicate', 'total', 'external', 'legal', 'representation', 'toronto', 'police', 'services', 'board', 'relation', 'individual', 'class', 'action', 'regard', 'summit', 'update', '02194', 'october', 'present']
Original Request: A copy of records that detail the legal costs paid to and hours worked by, lawyers of external law firms for legal representation of the TPSB in relation to the (named individual) Class Action. Update from FOI #2012-02203 (Oct. 31, 2012 to present).
Tokens prepared for LDA: ['record', 'legal', 'lawyer', 'external', 'legal', 'representation', 'relation', 'individual', 'class', 'action', 'update', '02203', 'october', 'present']
Original Request: A copy of the fire inspection records for (a specified address). The inspections occurred on March 6 and 7, 2013.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address', 'inspection', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 21, 2013. Fire Report No. F13021848.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march', 'report', 'f13021848']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 24, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of any fire report(s) for (a specified address) between August 2012 to October 2012.
Tokens prepared for LDA: ['report(s', 'specify', 'address', 'august', 'october']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on March 29, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: An electronic copy of all Ambulance Call Report data created between January 1, 2012 and March 31, 2013.
Tokens prepared for LDA: ['electronic', 'ambulance', 'report', 'datum', 'create', 'january', 'march']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on April 4, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on February 2, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 21, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the lease regarding the laneway on Centre Avenue behind (a specified address). Also the Committee of Adjustment file no. A0516/10NY and 11215246NNY245A.
Tokens prepared for LDA: ['lease', 'regard', 'laneway', 'centre', 'avenue', 'specify', 'address', 'committee', 'adjustment', 'a0516/10ny', '11215246nny245a.']
Original Request: A copy of the building inspector notes for the inspection that occurred at (a specified address).
Tokens prepared for LDA: ['build', 'inspector', 'inspection', 'occur', 'specify', 'address']
Original Request: A copy of any fire violation notices, inspection reports, certificates, zoning by law officer letter, etc., and any building drawings used to legalize the basement apartment and alterations (including any refusal notices) for (a specified address).
Tokens prepared for LDA: ['violation', 'notice', 'inspection', 'report', 'certificate', 'officer', 'letter', 'build', 'drawing', 'legalize', 'basement', 'apartment', 'alteration', 'include', 'refusal', 'notice', 'specify', 'address']
Original Request: A copy of the history of building permits for (a specified address).
Tokens prepared for LDA: ['history', 'build', 'permit', 'specify', 'address']
Original Request: A copy of any pedestrian traffic studies or surveys done on Eglinton between Oakwood Avenue and Allen Road in the past 10 years.
Tokens prepared for LDA: ['pedestrian', 'traffic', 'study', 'survey', 'eglinton', 'oakwood', 'avenue', 'allen']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on March 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of all building applications for the permit with the City, all drawings used for obtaining the permit, all building inspectors' records for (a specified address). from 2010 to present.
Tokens prepared for LDA: ['build', 'application', 'permit', 'drawing', 'obtain', 'permit', 'build', 'inspector', 'record', 'specify', 'address', 'present']
Original Request: A list of residential applicants who applied for building permits and after the fact variances from the Committee of Adjustment in which the Committee declined to issue a permit or variance between April 1, 2010 and April 1, 2013.
Tokens prepared for LDA: ['residential', 'applicant', 'apply', 'build', 'permit', 'variance', 'committee', 'adjustment', 'committee', 'decline', 'issue', 'permit', 'variance', 'april', 'april']
Original Request: All City records pertaining to the City Drain Grant, Retrofit Jobs to the "Y" Pipe for (a specified address) including (a specified address). All records on sewer water services, backups, sewer line investigations, PVC pipes replacements, dates, requests.
Tokens prepared for LDA: ['record', 'pertain', 'drain', 'grant', 'retrofit', 'specify', 'address', 'include', 'specify', 'address', 'record', 'sewer', 'water', 'service', 'backup', 'sewer', 'investigation', 'replacement', 'request']
Original Request: A copy of fire inspection for illegal apartment for (a specified address), Scarborough. The inspection was done approximately in Sept. 2012.
Tokens prepared for LDA: ['inspection', 'illegal', 'apartment', 'specify', 'address', 'scarborough', 'inspection', 'approximately', 'september']
Original Request: A copy of security footage from Metro Hall for the period on March 7, 2013 from 8.00 pm to 11.59 pm.
Tokens prepared for LDA: ['security', 'footage', 'metro', 'period', 'march', '11.59']
Original Request: A copy of building file # 50775 (1958) or (a specified address).
Tokens prepared for LDA: ['build', '50775', 'specify', 'address']
Original Request: A copy of building file # 6975 (1969) and # 090288 (1976) for (a specified address).
Tokens prepared for LDA: ['build', '090288', 'specify', 'address']
Original Request: Copies of all notice of violations, all proofs of payment, proof oftotals that were transferred to property taxes, and any information on orders to comply not being met, work done by City sub-contractors and payments made for (a specified address) since 2009
Tokens prepared for LDA: ['copy', 'notice', 'violation', 'proof', 'payment', 'proof', 'oftotals', 'transfer', 'property', 'taxis', 'information', 'order', 'comply', 'contractor', 'payment', 'specify', 'address']
Original Request: A copy of the building documents related to (a specified address), including decision records related to the Lane Way and documents on private lane.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'include', 'decision', 'record', 'relate', 'document', 'private']
Original Request: A copy of all building documents for (a specified address).
Tokens prepared for LDA: ['build', 'document', 'specify', 'address']
Original Request: A copy of all building documents for (a specified address).
Tokens prepared for LDA: ['build', 'document', 'specify', 'address']
Original Request: A copy of building documents for (a specified address), including records related to the permit for the garage opening on the side of the Lane Way and any other lane way records.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'record', 'relate', 'permit', 'garage', 'record']
Original Request: A copy of building documents related to the Lane Way near (a specified address), at the corner of (a specified address).
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'corner', 'specify', 'address']
Original Request: A copy of the contracts and/or agreements between MTCC 576 and owners of (a specified address) regarding shoring and tiebacks penetration and encroachment on (a specified address) lands.
Tokens prepared for LDA: ['contract', 'and/or', 'agreement', 'owner', 'specify', 'address', 'regard', 'shore', 'tieback', 'penetration', 'encroachment', 'specify', 'address']
Original Request: A list of active permit holders for hawker/peddler on foot permits, including phone numbers, address and/or e-mail addresses.
Tokens prepared for LDA: ['active', 'permit', 'holder', 'hawker', 'peddler', 'permit', 'include', 'phone', 'number', 'address', 'and/or', 'address']
Original Request: A copy of all MLS files related to (a specified address) from May 1, 2012 to April 11, 2013.
Tokens prepared for LDA: ['relate', 'specify', 'address', 'april']
Original Request: A copy of any 2013 Public Health inspection records, including pictures, for (a specified address). Records may be with (a specified address).
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'include', 'picture', 'specify', 'address', 'record', 'specify', 'address']
Original Request: A copy of the Animal Control Incident Report, including any pictures, related to the dog bite incident on February 19, 2013. The incident occurred on (a specified address).
Tokens prepared for LDA: ['animal', 'control', 'incident', 'report', 'include', 'picture', 'relate', 'incident', 'february', 'incident', 'occur', 'specify', 'address']
Original Request: A copy of the complaint record related to (a specified address) from summer 2012.
Tokens prepared for LDA: ['complaint', 'record', 'relate', 'specify', 'address', 'summer']
Original Request: A copy of the building inspection report for (a specified address).
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address']
Original Request: A copy of any work orders or deficiency notices with respect to (a specified address).
Tokens prepared for LDA: ['order', 'deficiency', 'notice', 'respect', 'specify', 'address']
Original Request: A copy of all notes from all attending fire personnel regarding F13006247. The incident occurred at (a specified address) on January 22, 2013.
Tokens prepared for LDA: ['attend', 'personnel', 'regard', 'f13006247', 'incident', 'occur', 'specify', 'address', 'january']
Original Request: A copy of all notes from all attending fire personnel regarding F13006247. The incident occurred at (a specified address) on January 22, 2013.
Tokens prepared for LDA: ['attend', 'personnel', 'regard', 'f13006247', 'incident', 'occur', 'specify', 'address', 'january']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 28, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 5, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). Fire Report No. F13025464.
Tokens prepared for LDA: ['report', 'specify', 'address', 'report', 'f13025464']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on November 6, 2012 at 1:30 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 9, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for the incident that occurred at Postdan Road and Tobermory Drive. The incident occurred on June 13, 2012. Fire report no. F12065002.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'postdan', 'tobermory', 'drive', 'incident', 'occur', 'report', 'f12065002']
Original Request: A copy of any Public Health inspection or investigation records (including orders and violation notices) for (a specified address). All records from 1985 to present.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'investigation', 'record', 'include', 'order', 'violation', 'notice', 'specify', 'address', 'record', 'present']
Original Request: A copy of the building permit issued to (a specified address) for occupying unfinished building in March 2011. Also any information related to (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'issue', 'specify', 'address', 'occupy', 'unfinished', 'build', 'march', 'information', 'relate', 'specify', 'address']
Original Request: A copy of several proposals by Regent Park Community Health Centre for Adelaide Women's Art Afternoon Programs, including the yearly Art Exhibition for Adelaide Women Art program postcards.
Tokens prepared for LDA: ['proposal', 'regent', 'community', 'health', 'centre', 'adelaide', 'woman', 'afternoon', 'program', 'include', 'yearly', 'exhibition', 'adelaide', 'woman', 'program', 'postcard']
Original Request: A copy of the name of purchaser and purchase sale price for the Toronto Taxi License Plate #1269, sold in February or March 2013.
Tokens prepared for LDA: ['purchaser', 'purchase', 'price', 'toronto', 'license', 'plate', 'february', 'march']
Original Request: A copy of the fire report for the incident at Rogers Road and Weston Road. The incident occurred on October 19, 2010 around 10:34 a.m.
Tokens prepared for LDA: ['report', 'incident', 'rogers', 'weston', 'incident', 'occur', 'october', '10:34']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of any and all inspection reports completed under Building Permit No. 12 284540 BLDG 00SR related to (a specified address).
Tokens prepared for LDA: ['inspection', 'report', 'complete', 'building', 'permit', '284540', 'relate', 'specify', 'address']
Original Request: A copy of the full investigation records regarding the incident of 3 City staff dressed up as KKK in Fall 2008. The investigation began in 2010 and involved (a specified individual). Also a copy of all correspondence between (a specified individual) and (a specified individual).
Tokens prepared for LDA: ['investigation', 'record', 'regard', 'incident', 'staff', 'dress', 'investigation', 'begin', 'involve', 'specify', 'individual', 'correspondence', 'specify', 'individual', 'specify', 'individual']
Original Request: A copy of all records, including e-mails, letters, and reports written by City staff related to the Toronto Friendship Centre.
Tokens prepared for LDA: ['record', 'include', 'letter', 'report', 'write', 'staff', 'relate', 'toronto', 'friendship', 'centre']
Original Request: A copy records pertaining to any notices, violations, warnings and/or charges laid for operation of a business or equipment or violation of City standards as required by law regarding (a specified address). Records from Jan. 1, 2005 to Dec. 31, 2010.
Tokens prepared for LDA: ['record', 'pertain', 'notice', 'violation', 'warning', 'and/or', 'charge', 'operation', 'business', 'equipment', 'violation', 'standard', 'require', 'regard', 'specify', 'address', 'record', 'january', 'december']
Original Request: A copy of all business licenses issued with respect to (a specified address), including any by-law enforcement matters with respect to the use or occupation of this address.
Tokens prepared for LDA: ['business', 'license', 'issue', 'respect', 'specify', 'address', 'include', 'enforcement', 'matter', 'respect', 'occupation', 'address']
Original Request: A copy of the building report from 2012 regarding (a specified address).
Tokens prepared for LDA: ['build', 'report', 'regard', 'specify', 'address']
Original Request: A copy of building records related to (a specified address), North York, including all permits and related documents, submitted drawings, specifications, grading or soil reports, and consultant reports and reports or commentaries by the City.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'north', 'include', 'permit', 'relate', 'document', 'submit', 'drawing', 'specification', 'grade', 'report', 'consultant', 'report', 'report', 'commentary']
Original Request: A copy of the MLS investigation records for (a specified address). Inventory #10 318387 PRS 00IV from December 19, 2010.
Tokens prepared for LDA: ['investigation', 'record', 'specify', 'address', 'inventory', '318387', 'december']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 28, 2013. Fire Report No. F13016508.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february', 'report', 'f13016508']
Original Request: A copy of permits issued to (a specified address) in the past few decades.
Tokens prepared for LDA: ['permit', 'issue', 'specify', 'address', 'decade']
Original Request: A copy of all MLS complaints and records including pictures between January 1, 2013 and present pertaining to (a specified address). As well as the complaint records that went through Councillor Doug Ford's office to MLS.
Tokens prepared for LDA: ['complaint', 'record', 'include', 'picture', 'january', 'present', 'pertain', 'specify', 'address', 'complaint', 'record', 'councillor', 'office']
Original Request: A copy of all records from Urban Forestry regarding (a specified address), including all correspondence, plans, and reports. Also any records related to building demolition permits and building permits, including correspondence.
Tokens prepared for LDA: ['record', 'urban', 'forestry', 'regard', 'specify', 'address', 'include', 'correspondence', 'report', 'record', 'relate', 'build', 'demolition', 'permit', 'build', 'permit', 'include', 'correspondence']
Original Request: A copy of all MLS and Public Health records related to (a specified address), including records related to the basement apartment.
Tokens prepared for LDA: ['public', 'health', 'record', 'relate', 'specify', 'address', 'include', 'record', 'relate', 'basement', 'apartment']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 27, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 31, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of any records related to the curb cut at (a specified address), including any records showing reasons why the City sent a letter dated March 11, 2013 advising changes that will be made to the curb.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'record', 'reason', 'letter', 'march', 'advise', 'change']
Original Request: A copy of the building permit file no. 309308 for (a specified address), including inspection notes. Also any records related to the property being permitted as a multi-unit dwelling.
Tokens prepared for LDA: ['build', 'permit', '309308', 'specify', 'address', 'include', 'inspection', 'record', 'relate', 'property', 'permit', 'multi', 'dwell']
Original Request: A copy of the lease between the City and Bell regarding the phone lines and pay phone at (a specified address).
Tokens prepared for LDA: ['lease', 'regard', 'phone', 'phone', 'specify', 'address']
Original Request: A copy of any building permits for (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address']
Original Request: A copy of any records showing (a specified address) being licenced for automotive spray painting and body shop or autobody shop.
Tokens prepared for LDA: ['record', 'specify', 'address', 'licence', 'automotive', 'spray', 'paint', 'autobody']
Original Request: A copy of any records showing (a specified address) being licenced for automotive spray painting and body shop or autobody shop.
Tokens prepared for LDA: ['record', 'specify', 'address', 'licence', 'automotive', 'spray', 'paint', 'autobody']
Original Request: A copy of all building and plumbing inspection reports for (a specified address) from July 2009 to September 2010, including records advising if building permit was issued.
Tokens prepared for LDA: ['build', 'plumb', 'inspection', 'report', 'specify', 'address', 'september', 'include', 'record', 'advise', 'build', 'permit', 'issue']
Original Request: A copy of records related to the utility cut for a hand well (for street lighting installed by Toronto Hydro) located at (a specified address), including all permits for work to construct/repair utility cut for hand well and inspection/maintenance records
Tokens prepared for LDA: ['record', 'relate', 'utility', 'street', 'light', 'install', 'toronto', 'hydro', 'locate', 'specify', 'address', 'include', 'permit', 'construct', 'repair', 'utility', 'inspection', 'maintenance', 'record']
Original Request: A copy of all complaints submitted to Toronto Building regarding (a specified address) from January 1, 2009 to April 9, 2013. Also any complaints received by Councillor Fragedakis related to the subject property since her dates in office.
Tokens prepared for LDA: ['complaint', 'submit', 'toronto', 'building', 'regard', 'specify', 'address', 'january', 'april', 'complaint', 'receive', 'councillor', 'fragedakis', 'relate', 'subject', 'property', 'office']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on February 23, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on December 20, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'december']
Original Request: A copy of records showing the approximate per ton costs for Leaf and Yard material processing, current AD cost at Dufferin Facility, and the percentage of single family homes that receive semi-automated vs. percentage that get automated collection.
Tokens prepared for LDA: ['record', 'approximate', 'material', 'process', 'current', 'dufferin', 'facility', 'percentage', 'single', 'family', 'receive', 'automate', 'percentage', 'automate', 'collection']
Original Request: A copy of the MLS records related to heat issues at (a specified address).
Tokens prepared for LDA: ['record', 'relate', 'issue', 'specify', 'address']
Original Request: A copy of any fire safety or fire prevention inspection requests or reports concerning (a specified address) for the years 1970 to 1994.
Tokens prepared for LDA: ['safety', 'prevention', 'inspection', 'request', 'report', 'concern', 'specify', 'address']
Original Request: A copy of any building permit applications concerning (a specified address), including permits approved and/or denied. Also any inspection reports or orders.
Tokens prepared for LDA: ['build', 'permit', 'application', 'concern', 'specify', 'address', 'include', 'permit', 'approve', 'and/or', 'inspection', 'report', 'order']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 16, 2013,.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the records related to the basement floods at (a specified address), including any relevant reports. The sewer lines were blocked causing floods in April 2012 and April 2013.
Tokens prepared for LDA: ['record', 'relate', 'basement', 'flood', 'specify', 'address', 'include', 'relevant', 'report', 'sewer', 'block', 'cause', 'flood', 'april', 'april']
Original Request: A copy of any records related to issues at (a specified address) from January 2013 to present, including complaint and inspection records.
Tokens prepared for LDA: ['record', 'relate', 'issue', 'specify', 'address', 'january', 'present', 'include', 'complaint', 'inspection', 'record']
Original Request: A copy of the dog incident report from November 14, 2013. The incident occurred at (a specified address).
Tokens prepared for LDA: ['incident', 'report', 'november', 'incident', 'occur', 'specify', 'address']
Original Request: A copy of the building inspection notes and any other documents related to (a specified address) since 2004, including records regarding permit no. NY13-156200.
Tokens prepared for LDA: ['build', 'inspection', 'document', 'relate', 'specify', 'address', 'include', 'record', 'regard', 'permit', '156200']
Original Request: A copy of the traffic footage from camera #80 DVP/York Mills on March 23, 2013 between 10:25 a.m. and 10:55 a.m.
Tokens prepared for LDA: ['traffic', 'footage', 'camera', 'mills', 'march', '10:25', '10:55']
Original Request: Any information on the demolition permit # 188226 for demolition of (a specified address) or any zoning amendment or other files relating to this property.
Tokens prepared for LDA: ['information', 'demolition', 'permit', '188226', 'demolition', 'specify', 'address', 'amendment', 'relate', 'property']
Original Request: A copy of Mayor Ford's City Hall parking records from Jan. 1, 2012 to April 24, 2013.
Tokens prepared for LDA: ['mayor', 'record', 'january', 'april']
Original Request: A detailed transcript or DVD of the in camera sessions preceding the Nov. 30 to Dec. 4, 2009 Council meeting, pertaining to the macro-agreement with the Port Authority. All discussions pertaining to the real estate portion of the deal .
Tokens prepared for LDA: ['transcript', 'camera', 'session', 'precede', 'november', 'december', 'council', 'pertain', 'macro', 'agreement', 'authority', 'discussion', 'pertain', 'estate', 'portion']
Original Request: A detailed transcript or DVD of the in camera sessions preceding the Nov. 30 to Dec. 4, 2009 Council meeting, pertaining to the macro-agreement with the Port Authority. All discussions pertaining to the real estate portion of the deal .
Tokens prepared for LDA: ['transcript', 'camera', 'session', 'precede', 'november', 'december', 'council', 'pertain', 'macro', 'agreement', 'authority', 'discussion', 'pertain', 'estate', 'portion']
Original Request: Contract / scope of work done between the City of Toronto and whoever was responsible for the road construction project on Bloor St. W., opposite 555 Bloor St. W. from Dec. 31, 2011 to Jan. 31, 2012.
Tokens prepared for LDA: ['contract', 'scope', 'toronto', 'responsible', 'construction', 'project', 'bloor', 'opposite', 'bloor', 'december', 'january']
Original Request: A copy of the report from the investigation of a water problem at (a specified address) on April 22, 2013. The reference number from 311 was 2039570.
Tokens prepared for LDA: ['report', 'investigation', 'water', 'problem', 'specify', 'address', 'april', 'reference', '2039570']
Original Request: Records on pipe network records, pipe materials, maintenance schedules, typical operating pressures of Delaware Ave. and surrounding area within Ward 19 (Trinity-Spadina). Also, initial pipe installation of Delaware Ave. and historical maintenance .
Tokens prepared for LDA: ['record', 'network', 'record', 'material', 'maintenance', 'schedule', 'typical', 'operate', 'pressure', 'delaware', 'surround', 'trinity', 'spadina', 'initial', 'installation', 'delaware', 'historical', 'maintenance']
Original Request: All records of building permits or any work done on (a specified address) since its construction in the 19th century.
Tokens prepared for LDA: ['record', 'build', 'permit', 'specify', 'address', 'construction', 'century']
Original Request: All building permits issued, building inspections for (a specified address) from 1991 to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'build', 'inspection', 'specify', 'address', 'present']
Original Request: A copy of health inspection report, including notes and records for (a specified address), Toronto. The inspection was done in April 2013 by Raymond Ramdayal, Health Inspector. Records requested are for the entire building.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'include', 'record', 'specify', 'address', 'toronto', 'inspection', 'april', 'raymond', 'ramdayal', 'health', 'inspector', 'record', 'request', 'entire', 'build']
Original Request: A copy of the current lease documents between City of Toronto and Bluffer's Park Marina and any related conditions or regulations.
Tokens prepared for LDA: ['current', 'lease', 'document', 'toronto', 'bluffer', 'marina', 'relate', 'condition', 'regulation']
Original Request: A copy of building permit files for (a specified address). The file numbers quoted are 2001-175535 WNP, 2001-171565 BR, 2001-177627 WNP, 2001-176900 BR.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'number', 'quote', '175535', '171565', '177627', '176900']
Original Request: A copy of ML&S file for (a specified address), Toronto, together with the ML&S file for (a specified address). The file number is 12-285155 PRS, December 2012.
Tokens prepared for LDA: ['specify', 'address', 'toronto', 'specify', 'address', '285155', 'december']
Original Request: A copy of the pot hole repair request to 311 for the intersection located at Thorncrest Rd. and Thornbury Cres. The call was reported on March12, 2013.
Tokens prepared for LDA: ['repair', 'request', 'intersection', 'locate', 'thorncrest', 'thornbury', 'report', 'march12']
Original Request: A copy of any building and HVAC permit applications, building permits issued and all associated drawings on record for (a specified address), located at (a specified address), from 1970s to present.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'permit', 'issue', 'associate', 'drawing', 'record', 'specify', 'address', 'locate', 'specify', 'address', '1970s', 'present']
Original Request: A copy of the bidding documents (proposals and pricing) submitted in response to call document 3001-12-7209, closed in Oct. 2012 for the printing and mailing of specialized forms to Ontario Works clients.
Tokens prepared for LDA: ['document', 'proposal', 'price', 'submit', 'response', 'document', 'close', 'october', 'print', 'specialize', 'ontario', 'works', 'client']
Original Request: Any and all records, including but not limited to e-mails, BlackBerry messages, reports, memos, receipts and Post-it notes, involving Muzik nightclub requested lease extension at Exhibition Place.
Tokens prepared for LDA: ['record', 'include', 'limit', 'blackberry', 'message', 'report', 'receipt', 'involve', 'muzik', 'nightclub', 'request', 'lease', 'extension', 'exhibition', 'place']
Original Request: A copy of fire report for (a specified address). The incident occurred in February 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: Footage of red light camera located at the intersection of Dufferin St. and Glencairn Ave. on March 30, 2013 at approx. 1.30 pm.
Tokens prepared for LDA: ['footage', 'light', 'camera', 'locate', 'intersection', 'dufferin', 'glencairn', 'march', 'approx']
Original Request: A copy of records showing that the City changed the blocked storm pipes at (a specified address).
Tokens prepared for LDA: ['record', 'change', 'block', 'storm', 'specify', 'address']
Original Request: A copy of the dog bite report related to CRSIR 105580 from 2012. The dog owner is (a specified individual).
Tokens prepared for LDA: ['report', 'relate', 'crsir', '105580', 'owner', 'specify', 'individual']
Original Request: A copy of all expense reports, including attached receipts, submitted by or for (a specified individual) since January 1, 2010.
Tokens prepared for LDA: ['expense', 'report', 'include', 'attach', 'receipt', 'submit', 'specify', 'individual', 'january']
Original Request: A copy of the water drainage records for (a specified address), including the complete report of the inspector's findings and the dimensions of the area of drainage.
Tokens prepared for LDA: ['water', 'drainage', 'record', 'specify', 'address', 'include', 'complete', 'report', 'inspector', 'finding', 'dimension', 'drainage']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 29, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for the motor vehicle accident on Comstock Road. The incident occurred on September 4, 2006.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'comstock', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for (a specified address), Toronto. The incident occurred on April 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the arborist report related to the ash tree at (a specified address), showing that the tree is not owned by the City of Toronto.
Tokens prepared for LDA: ['arborist', 'report', 'relate', 'specify', 'address', 'toronto']
Original Request: A copy of the fire report for (a specified address), York. The incident occurred on April 18, 2012. Fire Report No. F12042505.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april', 'report', 'f12042505']
Original Request: A copy of the inspection records related to heating issues at (a specified address). The inspection(s) took place between October 2012 to April 2013. As well as records of any calls made to the City about heating issues.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'issue', 'specify', 'address', 'inspection(s', 'place', 'october', 'april', 'record', 'issue']
Original Request: A copy of any documentation regarding the repair of the on-street disabled loading zone signage at (a specified address) around May 2012.
Tokens prepared for LDA: ['documentation', 'regard', 'repair', 'street', 'disable', 'signage', 'specify', 'address']
Original Request: A copy of all inspector's notes regarding (a specified address), North York, after repairs from the fire in 1998.
Tokens prepared for LDA: ['inspector', 'regard', 'specify', 'address', 'north', 'repair']
Original Request: A copy of the fire report for (a specified address). The incident occurred in October 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'october']
Original Request: A copy of all records from Fire Inspector Randy Grams related to the report made to Fire Services by (a specified individual) regarding (a specified address). The inspection was done on or around March 20, 2013.
Tokens prepared for LDA: ['record', 'inspector', 'randy', 'gram', 'relate', 'report', 'services', 'specify', 'individual', 'regard', 'specify', 'address', 'inspection', 'march']
Original Request: A copy of the following contracts related to the Willowbrook Rail Maintenance Facility. Contract No. RQQ-2009-RCI-026, Contract No. RQQ-2011RF-048, and Contract No. RQQ-2011-RF-061.
Tokens prepared for LDA: ['follow', 'contract', 'relate', 'willowbrook', 'maintenance', 'facility', 'contract', 'rqq-2009-rci-026', 'contract', 'rqq-2011rf-048', 'contract', 'rqq-2011-rf-061']
Original Request: A copy of the surveillance footage from Metro Hall at 55 John Street during the afternoon and evening of March 7, 2013 (from noon until midnight), including any footage from interior cameras (i.e. rotunda, hallways, entrance-ways or rooms).
Tokens prepared for LDA: ['surveillance', 'footage', 'metro', 'street', 'afternoon', 'march', 'midnight', 'include', 'footage', 'interior', 'camera', 'rotunda', 'hallway', 'entrance']
Original Request: A copy of all written building materials and records regarding (a specified address) since 1930.
Tokens prepared for LDA: ['write', 'build', 'material', 'record', 'regard', 'specify', 'address']
Original Request: A copy of all building records pertaining to (a specified address) since 1930.
Tokens prepared for LDA: ['build', 'record', 'pertain', 'specify', 'address']
Original Request: A copy of the building permit application and all supporting documentation for (a specified address) related to building permit no. 10-188330 issued July 27, 2010. Also any other building permits issued to (a specified address) or amendments.
Tokens prepared for LDA: ['build', 'permit', 'application', 'support', 'documentation', 'specify', 'address', 'relate', 'build', 'permit', '188330', 'issue', 'build', 'permit', 'issue', 'specify', 'address', 'amendment']
Original Request: A copy of sign variance documents issued in 2012 for a blade sign projecting from the building facing Empress Walk Empire Theatre (a specified address), North York.
Tokens prepared for LDA: ['variance', 'document', 'issue', 'blade', 'project', 'build', 'empress', 'empire', 'theatre', 'specify', 'address', 'north']
Original Request: A copy of the fire report for (a specified address), Toronto. The incident occurred on April 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 5, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 28, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on April 11, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 21, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of all records of communication between the owners or representatives of (a specified address) and the City's ML&S or Transportation divisions.
Tokens prepared for LDA: ['record', 'communication', 'owner', 'representative', 'specify', 'address', 'transportation', 'division']
Original Request: A copy of all documents and records relating to the City's property rights in connection with the proposed development of (a specified address).
Tokens prepared for LDA: ['document', 'record', 'relate', 'property', 'right', 'connection', 'propose', 'development', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address), North York. The incident occurred on April 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the notice of compliance for (a specified address) from around 2007.
Tokens prepared for LDA: ['notice', 'compliance', 'specify', 'address']
Original Request: A copy of the building permits issued to (a specified address), specifically, microfiche permit 163133 issued in 1982, 176464 issued in 1985, and the survey document from 1985.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'specify', 'address', 'specifically', 'microfiche', 'permit', '163133', 'issue', '176464', 'issue', 'survey', 'document']
Original Request: A copy of all building permit applications and building permits for (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'permit', 'specify', 'address']
Original Request: A copy of all building permit applications and building permits for (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'permit', 'specify', 'address']
Original Request: A copy of all building permit applications and building permits for (a specified address), including the application and permit for file no.'s 1974 018013 BLD00HH and 1982 016439 BLD00HH.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'permit', 'specify', 'address', 'include', 'application', 'permit', '018013', 'bld00hh', '016439', 'bld00hh']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of full details of the project description associated with the building permit no. 02 105523 BLD 00 SR for (a specified address), Scarborough.
Tokens prepared for LDA: ['project', 'description', 'associate', 'build', 'permit', '105523', 'specify', 'address', 'scarborough']
Original Request: A copy of the MLS by-law violation related to lawn overgrowth for (a specified address), Etobicoke, from approximately July 2012.
Tokens prepared for LDA: ['violation', 'relate', 'overgrowth', 'specify', 'address', 'etobicoke', 'approximately']
Original Request: A copy of the e-mail communication between a 311 operator named (a specified individual) to a by-law officer named (a specified address) between February 1 to February 28, 2013.
Tokens prepared for LDA: ['communication', 'operator', 'specify', 'individual', 'officer', 'specify', 'address', 'february', 'february']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on September 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of files, board minutes and e-mails pertaining to (a specified individual), the TCHC tenant file no. 340675, (a specified address) or (a specified address) from Councillors Nunziata, Mammoliti, Ford, Bailao and/or Mayor Ford.
Tokens prepared for LDA: ['board', 'minute', 'pertain', 'specify', 'individual', 'tenant', '340675', 'specify', 'address', 'specify', 'address', 'councillor', 'nunziata', 'mammoliti', 'bailao', 'and/or', 'mayor']
Original Request: A copy of any and all documentation and communications, including but not limited to e-mails, memos, receipts and post-it notes relating to Councillor Mark Grimes' taxpayer-funded trip to Las Vegas in late July 2012.
Tokens prepared for LDA: ['documentation', 'communication', 'include', 'limit', 'receipt', 'relate', 'councillor', 'grime', 'taxpayer', 'vega']
Original Request: A copy of all records related to the call to 311 and subsequent inspection at (a specified address) from April 25, 2013 to May 7, 2013. The inspection related to the laundry leaking water.
Tokens prepared for LDA: ['record', 'relate', 'subsequent', 'inspection', 'specify', 'address', 'april', 'inspection', 'relate', 'laundry', 'water']
Original Request: A copy of all MLS reports from December 2012 to present and all fire inspection records from November 9, 2012 to present. Records relating to (a specified address).
Tokens prepared for LDA: ['report', 'december', 'present', 'inspection', 'record', 'november', 'present', 'record', 'relate', 'specify', 'address']
Original Request: A copy of the fire report for a motor vehicle accident at Eglinton Avenue and Martingrove on September 20, 2012. Fire Report No. F12095516.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'eglinton', 'avenue', 'martingrove', 'september', 'report', 'f12095516']
Original Request: A copy of the fire report for (a specified address).
Tokens prepared for LDA: ['report', 'specify', 'address']
Original Request: A copy of the complaint records regarding (a specified address), including MLS file no. 12-283-511 and 311 file no. 101001808712.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'specify', 'address', 'include', '101001808712']
Original Request: A copy of records indicating the total legal costs incurred by the City and/or Toronto Police Service in reaching the settlements with respect to complaints around the G20 protests in 2010.
Tokens prepared for LDA: ['record', 'indicate', 'total', 'legal', 'incur', 'and/or', 'toronto', 'police', 'service', 'reach', 'settlement', 'respect', 'complaint', 'protest']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 25, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A list of food street vendors in Toronto, including location, owner name, and phone number.
Tokens prepared for LDA: ['street', 'vendor', 'toronto', 'include', 'location', 'owner', 'phone']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of tickets opened regarding the replacement of cement at (a specified address), including the following ticket numbers from Toronto Water and Transportation: 126866 (June 2009), 127630 (June 2009), and 1084718 (June 2011).
Tokens prepared for LDA: ['ticket', 'regard', 'replacement', 'cement', 'specify', 'address', 'include', 'follow', 'ticket', 'number', 'toronto', 'water', 'transportation', '126866', '127630', '1084718']
Original Request: A copy of the permit for the front veranda and variance for the veranda at (a specified address).
Tokens prepared for LDA: ['permit', 'veranda', 'variance', 'veranda', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 18, 2013. Fire Report No. F13029380.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april', 'report', 'f13029380']
Original Request: A copy of any parking study on Fulton Avenue from Arundel to Broadview Avenue.
Tokens prepared for LDA: ['study', 'fulton', 'avenue', 'arundel', 'broadview', 'avenue']
Original Request: A copy of the MLS file no. 94-24 related to a dog bite incident. The incident occurred at (a specified address) on May 21, 2012.
Tokens prepared for LDA: ['relate', 'incident', 'incident', 'occur', 'specify', 'address']
Original Request: A copy of all calls made to 311 regarding (a specified address) by (a specified individual) from September 2011 to present, including details of all calls, requests, and results.
Tokens prepared for LDA: ['regard', 'specify', 'address', 'specify', 'individual', 'september', 'present', 'include', 'request', 'result']
Original Request: A copy of the fire report for (a specified address). The incident occurred on July 1, 2008. Fire Report No. F08074127.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'report', 'f08074127']
Original Request: A copy of the fire report for (a specified address). The incident occurred on June 24, 2001. Fire Report No. F2001ET008145000.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'report', 'f2001et008145000']
Original Request: A copy of the fire report for (a specified address). The incident occurred on September 11, 2003. Fire Report No. F2003FR093777000.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'september', 'report', 'f2003fr093777000']
Original Request: A copy of the updated records related to the hedges at (a specified address) related to MLS file no. 11326753. Records from December 13, 2012 to present.
Tokens prepared for LDA: ['update', 'record', 'relate', 'hedge', 'specify', 'address', 'relate', '11326753', 'record', 'december', 'present']
Original Request: A copy of all records related to the garage at (a specified address) from 2000 to present. Around 2010 the garage was turned into a pizza business. Records should include all applications, permits, inspections, notices, etc.
Tokens prepared for LDA: ['record', 'relate', 'garage', 'specify', 'address', 'present', 'garage', 'pizza', 'business', 'record', 'include', 'application', 'permit', 'inspection', 'notice']
Original Request: A copy of all records related to the garage at (a specified address) from 2000 to present. Around 2010 the garage was turned into a pizza business. Records should include all applications, permits, inspections, notices, etc.
Tokens prepared for LDA: ['record', 'relate', 'garage', 'specify', 'address', 'present', 'garage', 'pizza', 'business', 'record', 'include', 'application', 'permit', 'inspection', 'notice']
Original Request: A copy of any fire notes or notices of violation or work orders regarding the (a specified address) located at (a specified address) since May 10, 2010.
Tokens prepared for LDA: ['notice', 'violation', 'order', 'regard', 'specify', 'address', 'locate', 'specify', 'address']
Original Request: A copy of the building permit related to the modification of the bungalow at (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'relate', 'modification', 'bungalow', 'specify', 'address']
Original Request: A copy of the towing license for (a specified address), owner of (a specified address).
Tokens prepared for LDA: ['license', 'specify', 'address', 'owner', 'specify', 'address']
Original Request: A copy of records regarding bids or contracting with respect to the landscaping job at (a specified address) from 2011 or 2012.
Tokens prepared for LDA: ['record', 'regard', 'contract', 'respect', 'landscape', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 25, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for (a specified address). The incident occurred on September 20, 2012. Fire Report no. F12095362.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'september', 'report', 'f12095362']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 29, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on March 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for (a specified address). The Incident occurred on May 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the rooming license for (a specified individual) related to (a specified address) for 2010 and 2011.
Tokens prepared for LDA: ['license', 'specify', 'individual', 'relate', 'specify', 'address']
Original Request: A copy of winter maintenance records including but not limited to any ploughing records, sanding/salting records, patrol/maintenance and repair records for Willowdale Avenue at or near Steeles Avenue. Records from November 21, 2010 to November 27, 2010.
Tokens prepared for LDA: ['winter', 'maintenance', 'record', 'include', 'limit', 'plough', 'record', 'record', 'patrol', 'maintenance', 'repair', 'record', 'willowdale', 'avenue', 'steele', 'avenue', 'record', 'november', 'november']
Original Request: A copy of the Animal Service complaint file's 13-009541, 13-009925, and A13-009538.
Tokens prepared for LDA: ['animal', 'service', 'complaint', '009541', '009925', '009538']
Original Request: A copy of the building order to comply no. 13-153104 for (a specified address).
Tokens prepared for LDA: ['build', 'order', 'comply', '153104', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on November 12, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for (a specified address). The incident occurred on June 8, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the letter sent to (a specified address) regarding zoning compliance around April 2013 as well as records showing the exact violations of zoning by-law regarding the shed.
Tokens prepared for LDA: ['letter', 'specify', 'address', 'regard', 'compliance', 'april', 'record', 'exact', 'violation', 'regard']
Original Request: A copy of all ambulance call reports and incident report documents, as well as recordings, relating to calls from or about a shooting incident on Danzig Street. The incident occurred on July 16, 2012. Also any other documents, reports and correspondence.
Tokens prepared for LDA: ['ambulance', 'report', 'incident', 'report', 'document', 'recording', 'relate', 'shoot', 'incident', 'danzig', 'street', 'incident', 'occur', 'document', 'report', 'correspondence']
Original Request: A copy of any notes or comments which may confirm that the permit issued for changing (a specified address) from a semi-detached duplex to a semi-detached triplex and final inspection and approval documents.
Tokens prepared for LDA: ['comment', 'confirm', 'permit', 'issue', 'change', 'specify', 'address', 'detach', 'duplex', 'detach', 'triplex', 'final', 'inspection', 'approval', 'document']
Original Request: A copy of the building file no. 2010 213 918 regarding a complaint about an illegal stairway at (a specified address). The file was opened on July 2, 2010 and closed July 7, 2010.
Tokens prepared for LDA: ['build', 'regard', 'complaint', 'illegal', 'stairway', 'specify', 'address', 'close']
Original Request: A copy of all current new building or renovation permits issued to (a specified address).
Tokens prepared for LDA: ['current', 'build', 'renovation', 'permit', 'issue', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occured on March 10, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'march']
Original Request: A copy of all reports, violations, notices and correspondence regarding a tree at (a specified address), including 2012 records related to whether the tree should be cut down and reports related to the tree from 2013.
Tokens prepared for LDA: ['report', 'violation', 'notice', 'correspondence', 'regard', 'specify', 'address', 'include', 'record', 'relate', 'report', 'relate']
Original Request: A copy of all reports, violations, notices and correspondence regarding a tree at (a specified address), including 2012 records related to whether the tree should be cut down and reports related to the tree from 2013.
Tokens prepared for LDA: ['report', 'violation', 'notice', 'correspondence', 'regard', 'specify', 'address', 'include', 'record', 'relate', 'report', 'relate']
Original Request: A copy of all reports, violations and notices regarding propane tanks, front end loaders, commercial vehicles and use of residential property as commercial property at (a specified address), including correspondence from (a specified address) to MLS.
Tokens prepared for LDA: ['report', 'violation', 'notice', 'regard', 'propane', 'loader', 'commercial', 'vehicle', 'residential', 'property', 'commercial', 'property', 'specify', 'address', 'include', 'correspondence', 'specify', 'address']
Original Request: A copy of the ML&S file no. 12289419 PRS for (a specified address), Etobicoke.
Tokens prepared for LDA: ['12289419', 'specify', 'address', 'etobicoke']
Original Request: A copy of all Fire Service, MLS, and Toronto Building records related to (a specified address), including inspections, complaints, internal memos and e-mails, all documents related to enforcement and confirmation of remedial actions taken.
Tokens prepared for LDA: ['service', 'toronto', 'building', 'record', 'relate', 'specify', 'address', 'include', 'inspection', 'complaint', 'internal', 'document', 'relate', 'enforcement', 'confirmation', 'remedial', 'action']
Original Request: A copy of the RESCU camera photos for August 7, 2010 at approximately 8:00 p.m. on DVP south of Prince Edward Viaduct, North of Richmond Street exit.
Tokens prepared for LDA: ['rescu', 'camera', 'photo', 'august', 'approximately', 'south', 'prince', 'edward', 'viaduct', 'north', 'richmond', 'street']
Original Request: A copy of the fire report for (a specified address). The incident occurred around April 28, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of all mould related inspection reports for the past 15 years at (a specified address), including the report from file no. 107353.
Tokens prepared for LDA: ['mould', 'relate', 'inspection', 'report', 'specify', 'address', 'include', 'report', '107353']
Original Request: A copy of all mould related inspection reports for the past 15 years at (a specified address), including the report from file no. 107353.
Tokens prepared for LDA: ['mould', 'relate', 'inspection', 'report', 'specify', 'address', 'include', 'report', '107353']
Original Request: A copy of all records involving Mayor Rob Ford's entrance and exit of the City Hall parking lot from February 23, 2013 to present.
Tokens prepared for LDA: ['record', 'involve', 'mayor', 'entrance', 'february', 'present']
Original Request: A copy of all 2013 MLS, Building and Public Health records regarding orders issued to (a specified individual), including complaints, correspondence with (a specified address), inspections, and closing dates.
Tokens prepared for LDA: ['building', 'public', 'health', 'record', 'regard', 'order', 'issue', 'specify', 'individual', 'include', 'complaint', 'correspondence', 'specify', 'address', 'inspection', 'close']
Original Request: A copy of the MLS and Fire inspection notes regarding the basement apartment at (a specified address). The MLS inspection occurred on February 1, 2013 and the fire inspection occurred on April 16, 2013.
Tokens prepared for LDA: ['inspection', 'regard', 'basement', 'apartment', 'specify', 'address', 'inspection', 'occur', 'february', 'inspection', 'occur', 'april']
Original Request: A copy of all reports, pictures, and findings related to the Public Health inspection at (a specified address). The inspections occurred on May 7.
Tokens prepared for LDA: ['report', 'picture', 'finding', 'relate', 'public', 'health', 'inspection', 'specify', 'address', 'inspection', 'occur']
Original Request: A copy of the Animal Service file no. 2047877, activity no. A13-008604.
Tokens prepared for LDA: ['animal', 'service', '2047877', 'activity', '008604']
Original Request: A copy of records related to the removal of the sidewalk on McIntosh Avenue around September 10, 2010, including records explaining why the sidewalk was removed and the name of the sidewalk removal company.
Tokens prepared for LDA: ['record', 'relate', 'removal', 'sidewalk', 'mcintosh', 'avenue', 'september', 'include', 'record', 'explain', 'sidewalk', 'remove', 'sidewalk', 'removal', 'company']
Original Request: A copy of all records pertaining to rooming house complaints for (a specified address) from January 1, 2012 to present, as well as all MLS inspection records, including computer printouts, handwritten notes, pictures, e-mails, and correspondence.
Tokens prepared for LDA: ['record', 'pertain', 'house', 'complaint', 'specify', 'address', 'january', 'present', 'inspection', 'record', 'include', 'computer', 'printout', 'handwritten', 'picture', 'correspondence']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 18, 2013. Fire Report No. F13029380.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april', 'report', 'f13029380']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 8, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on May 10, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the Toronto Water file no. 708264 regarding the emergency service work completed at (a specified address).
Tokens prepared for LDA: ['toronto', 'water', '708264', 'regard', 'emergency', 'service', 'complete', 'specify', 'address']
Original Request: A copy of the master list of ice and other facility rentals, including the specific hours of ice, the organizations and/or individuals plus the cost and/or monies received. Also the final audited statements for Long Branch and Mimico community arena.
Tokens prepared for LDA: ['master', 'facility', 'rental', 'include', 'specific', 'organization', 'and/or', 'individual', 'and/or', 'money', 'receive', 'final', 'audit', 'statement', 'branch', 'mimico', 'community', 'arena']
Original Request: A copy of the development plan for the townhouse development at (a specified address) and the 1999 decision by the OMB concerning access at the townhouses.
Tokens prepared for LDA: ['development', 'townhouse', 'development', 'specify', 'address', 'decision', 'concern', 'access', 'townhouse']
Original Request: A copy of all inspection logs, work orders, complaints, statements of claim, and 311 calls relating to the sidewalk located on the west side of Church Street between Alexander Street and Wood Street. Records from February 5, 2009 to present.
Tokens prepared for LDA: ['inspection', 'order', 'complaint', 'statement', 'claim', 'relate', 'sidewalk', 'locate', 'church', 'street', 'alexander', 'street', 'street', 'record', 'february', 'present']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 3, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on December 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'december']
Original Request: A copy of all records associated with Public Health file no. 106933 as well as all Animal Service records related to (a specified address).
Tokens prepared for LDA: ['record', 'associate', 'public', 'health', '106933', 'animal', 'service', 'record', 'relate', 'specify', 'address']
Original Request: A copy of all reports, notices, orders, notes, and other documentation arising from the MLS inspection of (a specified address) on May 10, 2013.
Tokens prepared for LDA: ['report', 'notice', 'order', 'documentation', 'arise', 'inspection', 'specify', 'address']
Original Request: A copy of records related to the water main break at (a specified address). The City turned off the water on May 5 and May 7, 2013.
Tokens prepared for LDA: ['record', 'relate', 'water', 'break', 'specify', 'address', 'water']
Original Request: A copy of the building permit records, including inspection notes, for (a specified address). Permit No.'s: 11 250909 BLD 00 SR, 11 250909 PLB 00 PS, 11 250909 HVA 00 MS, and 11 330984 BLD 00 SR.
Tokens prepared for LDA: ['build', 'permit', 'record', 'include', 'inspection', 'specify', 'address', 'permit', '250909', '250909', '250909', '330984']
Original Request: A copy of particulars relating to a motor vehicle accident between a TTC vehicle and a City of Toronto truck that occurred at Yorkdale Shopping Centre on April 14, 2012. Please include the motor vehicle accident report and vehicle information.
Tokens prepared for LDA: ['particular', 'relate', 'motor', 'vehicle', 'accident', 'vehicle', 'toronto', 'truck', 'occur', 'yorkdale', 'shopping', 'centre', 'april', 'include', 'motor', 'vehicle', 'accident', 'report', 'vehicle', 'information']
Original Request: A copy of the fire report for (a specified address). The incident occurred on December 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on February 6, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on the 401 eastbound at Port Union Road. The incident occurred on June 18, 2011 at 12:08.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'eastbound', 'union', 'incident', 'occur', '12:08']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the 1982 building permit file no. 022300 for (a specified address). File Reference No. 185940.
Tokens prepared for LDA: ['build', 'permit', '022300', 'specify', 'address', 'reference', '185940']
Original Request: A copy of the retrofit clearance file related to (a specified address).
Tokens prepared for LDA: ['retrofit', 'clearance', 'relate', 'specify', 'address']
Original Request: A copy of the preliminary evaluation, original submission of the job content/pay equity questionnaire, and draft job profile for job call TM0400. As well as the final job profile and evalutation rating sheet for job calls TM0400, TM0395, TM0384 & TM0387.
Tokens prepared for LDA: ['preliminary', 'evaluation', 'original', 'submission', 'content', 'equity', 'questionnaire', 'draft', 'profile', 'tm0400', 'final', 'profile', 'evalutation', 'sheet', 'tm0400', 'tm0395', 'tm0384', 'tm0387']
Original Request: A copy of all database records of closed (i.e. paid) red light camera offences between January 1, 2012 and April 30, 2013, including date/time, location, # of seconds light was red before offence, and # of seconds light was red when offence made.
Tokens prepared for LDA: ['database', 'record', 'close', 'light', 'camera', 'offence', 'january', 'april', 'include', 'location', 'second', 'light', 'offence', 'second', 'light', 'offence']
Original Request: A copy of all documentation, including permits, applications, arborist reports, etc., related to the destroying of a private tree at (a specified address).
Tokens prepared for LDA: ['documentation', 'include', 'permit', 'application', 'arborist', 'report', 'relate', 'destroy', 'private', 'specify', 'address']
Original Request: A copy of surveillance footage from Wellington Street West Yard (a specified individual) on February 14, 2013 regarding a slip and fall incident involving (a specified address). Also any e-mails between Corporate Security regarding the request for footage.
Tokens prepared for LDA: ['surveillance', 'footage', 'wellington', 'street', 'specify', 'individual', 'february', 'regard', 'incident', 'involve', 'specify', 'address', 'corporate', 'security', 'regard', 'request', 'footage']
Original Request: A copy of surveillance footage from Wellington Street West Yard (a specified individual) on February 14, 2013 regarding a slip and fall incident involving (a specified address). Also any e-mails between Corporate Security regarding the request for footage.
Tokens prepared for LDA: ['surveillance', 'footage', 'wellington', 'street', 'specify', 'individual', 'february', 'regard', 'incident', 'involve', 'specify', 'address', 'corporate', 'security', 'regard', 'request', 'footage']
Original Request: A copy of document from permit file that shows that the property at (a specified address), is a 4-family dwelling.
Tokens prepared for LDA: ['document', 'permit', 'property', 'specify', 'address', '4-family', 'dwell']
Original Request: Information detailing the erquest for water lock off and turn on in March 2013 for (a specified address), including time, date and any notes made. Also, Public Health inspection report for the inspection done on May 10, 2013 including findings.
Tokens prepared for LDA: ['information', 'erquest', 'water', 'march', 'specify', 'address', 'include', 'public', 'health', 'inspection', 'report', 'inspection', 'include', 'finding']
Original Request: A copy of parking records for all Toronto City Councillors for the current term and a listing of which council members have either passes or reserved spots to park at City Hall or under Nathan Phillips Square. The time period is for April 2013.
Tokens prepared for LDA: ['record', 'toronto', 'councillor', 'current', 'council', 'member', 'reserve', 'nathan', 'phillips', 'square', 'period', 'april']
Original Request: A copy of order, arborist's report regarding the silver maple in the north west corner of (a specified address). The report details condition of tree being a potential hazard.
Tokens prepared for LDA: ['order', 'arborist', 'report', 'regard', 'silver', 'maple', 'north', 'corner', 'specify', 'address', 'report', 'condition', 'potential', 'hazard']
Original Request: All files, reports and/or correspondence of any kind (hard copy or e-mail) generated by (a specified individual) and/or on the issue of "power-assisted bicycles; electric bicycles; e-bikes beginning on orabout July 11, 2012 to the conclusion of this request.
Tokens prepared for LDA: ['report', 'and/or', 'correspondence', 'generate', 'specify', 'individual', 'and/or', 'issue', 'power', 'assist', 'bicycle', 'electric', 'bicycle', 'begin', 'orabout', 'conclusion', 'request']
Original Request: All files, reports and/or correspondence of any kind (hard copy or e-mail) generated by (a specified individual) and/or on the issue of "power-assisted bicycles; electric bicycles; e-bikes beginning on or about July 11, 2012 and proceed to the conclusion.
Tokens prepared for LDA: ['report', 'and/or', 'correspondence', 'generate', 'specify', 'individual', 'and/or', 'issue', 'power', 'assist', 'bicycle', 'electric', 'bicycle', 'begin', 'proceed', 'conclusion']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 16, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 30, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 13, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the building file no. 12 116042 SIN 00 IV issued on February 2, 2012 related to (a specified address).
Tokens prepared for LDA: ['build', '116042', 'issue', 'february', 'relate', 'specify', 'address']
Original Request: A copy of the archival records from fonds 200, series 544, file 3, regarding a former police station at Queen Street West and Cowan Avenue.
Tokens prepared for LDA: ['archival', 'record', 'fonds', 'series', 'regard', 'police', 'station', 'queen', 'street', 'cowan', 'avenue']
Original Request: A copy of all information and documentation regarding when (a specified address) was built etc.
Tokens prepared for LDA: ['information', 'documentation', 'regard', 'specify', 'address', 'build']
Original Request: A copy of any records from Animal Services related to (a specified address).
Tokens prepared for LDA: ['record', 'animal', 'services', 'relate', 'specify', 'address']
Original Request: A copy of the notes and records pertaining to 2 complaints made about (a specified address) in January 2013 with MLS.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'specify', 'address', 'january']
Original Request: A copy of the fire report for (a specified address). The incident occurred on December 15, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for (a specified address). The incident occurred on June 25, 2012. Fire Report No. F12068711.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'report', 'f12068711']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on May 17, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 25, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of all calls made to 311 from the following phone numbers: (a specified address). The calls were made by (a specified individual).
Tokens prepared for LDA: ['follow', 'phone', 'number', 'specify', 'address', 'specify', 'individual']
Original Request: A copy of the archival records for file no. PT535L regarding the elevations only.
Tokens prepared for LDA: ['archival', 'record', 'pt535l', 'regard', 'elevation']
Original Request: A list of all reports of falling glass from buildings in Toronto, including the address of every building for which there was a report for falling glass, the building developer or operator, as well as the date the glass fell.
Tokens prepared for LDA: ['report', 'glass', 'building', 'toronto', 'include', 'address', 'build', 'report', 'glass', 'build', 'developer', 'operator', 'glass']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 14, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for (a specified address). The incident occurred on April 4, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of the complete files regarding the following animal complaint file no.'s: A11-027980 (November 10, 2011), 16621 (August 29, 2012), and A13-009918 (May 8, 2013).
Tokens prepared for LDA: ['complete', 'regard', 'follow', 'animal', 'complaint', '027980', 'november', '16621', 'august', '009918']
Original Request: A copy of all building department records regarding a defective property at (a specified address) from January 1, 2001 to present.
Tokens prepared for LDA: ['build', 'department', 'record', 'regard', 'defective', 'property', 'specify', 'address', 'january', 'present']
Original Request: A copy of any building permits, inspections and other records related to (a specified address), including any documentation that was sent to the property owner regarding property line issues.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'relate', 'specify', 'address', 'include', 'documentation', 'property', 'owner', 'regard', 'property', 'issue']
Original Request: A copy of any records regarding change to (a specified address), Etobicoke, from Toronto Building, Fire and Public Health, including outstanding work orders, inspections, findings, remedial actions, etc. Records after April 2005.
Tokens prepared for LDA: ['record', 'regard', 'change', 'specify', 'address', 'etobicoke', 'toronto', 'building', 'public', 'health', 'include', 'outstanding', 'order', 'inspection', 'finding', 'remedial', 'action', 'record', 'april']
Original Request: A copy of the small residential project permit no. 08 186437 BLD02SR from October 2009 to February 2013.
Tokens prepared for LDA: ['small', 'residential', 'project', 'permit', '186437', 'bld02sr', 'october', 'february']
Original Request: A copy of the building permits and inspection reports for (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'specify', 'address']
Original Request: A copy of the inspection report regarding the common area parking garage doors of (a specified address). Reference No. 206-7635.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'common', 'garage', 'specify', 'address', 'reference']
Original Request: A copy of all information available for (a specified address) related to a telecommunication structure erected in September 2011.
Tokens prepared for LDA: ['information', 'available', 'specify', 'address', 'relate', 'telecommunication', 'structure', 'erect', 'september']
Original Request: A copy of the Animal Services report from May 22, 2013 at (a specified address).
Tokens prepared for LDA: ['animal', 'services', 'report', 'specify', 'address']
Original Request: A copy of any work orders or violations issued by the City for (a specified address).
Tokens prepared for LDA: ['order', 'violation', 'issue', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred in August 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'august']
Original Request: A list of all parks in Toronto, including parkettes, gardens, and conservatories, with each park's latitude, longitude, and address.
Tokens prepared for LDA: ['toronto', 'include', 'parkettes', 'garden', 'conservatory', 'latitude', 'longitude', 'address']
Original Request: A copy of the MLS investigation file no. B23038 for (a specified address).
Tokens prepared for LDA: ['investigation', 'b23038', 'specify', 'address']
Original Request: A copy of the RESCU camera footage for the location at the Gardiner Expressway eastbound near Jameson Avenue at 8:30 p.m. on April 28, 2013.
Tokens prepared for LDA: ['rescu', 'camera', 'footage', 'location', 'gardiner', 'expressway', 'eastbound', 'jameson', 'avenue', 'april']
Original Request: A copy of records showing all work done to (a specified address), including all permit information.
Tokens prepared for LDA: ['record', 'specify', 'address', 'include', 'permit', 'information']
Original Request: A copy of information regarding completed liquor license applications, questionnaires, forms, correspondence, etc. for the holder of the liquor license at (a specified address).
Tokens prepared for LDA: ['information', 'regard', 'complete', 'liquor', 'license', 'application', 'questionnaire', 'correspondence', 'holder', 'liquor', 'license', 'specify', 'address']
Original Request: A copy of any building or MLS complaint records and inspections for (a specified address) from February 2012 to present. MLS investigation file no. 12 211551 PRS 00 IR.
Tokens prepared for LDA: ['build', 'complaint', 'record', 'inspection', 'specify', 'address', 'february', 'present', 'investigation', '211551']
Original Request: A copy of all water/sewage maintenance or repair records from (a specified address).
Tokens prepared for LDA: ['water', 'sewage', 'maintenance', 'repair', 'record', 'specify', 'address']
Original Request: A copy of all water/sewage maintenance or repair records from (a specified address).
Tokens prepared for LDA: ['water', 'sewage', 'maintenance', 'repair', 'record', 'specify', 'address']
Original Request: A copy of all water/sewage maintenance or repair records from (a specified address).
Tokens prepared for LDA: ['water', 'sewage', 'maintenance', 'repair', 'record', 'specify', 'address']
Original Request: A copy of all water/sewage maintenance or repair records from (a specified address).
Tokens prepared for LDA: ['water', 'sewage', 'maintenance', 'repair', 'record', 'specify', 'address']
Original Request: A copy of records indicating the number of parking spaces allowed at (a specified address).
Tokens prepared for LDA: ['record', 'indicate', 'space', 'allow', 'specify', 'address']
Original Request: A copy of the building inspection report for (a specified address), file no. 400544 (1997).
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', '400544']
Original Request: A copy of the building file no.'s: 10-250482BLD and 02-116519BLD regarding (a specified address).
Tokens prepared for LDA: ['build', '250482bld', '116519bld', 'regard', 'specify', 'address']
Original Request: A copy of the building file no. 09-170680MSA, including all records and notes for (a specified address).
Tokens prepared for LDA: ['build', '170680msa', 'include', 'record', 'specify', 'address']
Original Request: A copy of any work orders from Fire Services issued to (a specified address) from January 1989 to present.
Tokens prepared for LDA: ['order', 'services', 'issue', 'specify', 'address', 'january', 'present']
Original Request: A copy of the fire inspection records for (a specified address). The inspection was done in spring 2011.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address', 'inspection', 'spring']
Original Request: A copy of the resignation letters submitted to Mayor Rob Ford by (a specified individual) and (a specified individual) on May 27, 2013. As well as the resignations letter submitted by (a specified individual) on May 30, 2013.
Tokens prepared for LDA: ['resignation', 'letter', 'submit', 'mayor', 'specify', 'individual', 'specify', 'individual', 'resignation', 'letter', 'submit', 'specify', 'individual']
Original Request: A copy of the fire report for (a specified address). The incident occurred on February 21, 2012. Toronto Island fire boat responded.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february', 'toronto', 'island', 'respond']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 4, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address), Scarborough. The incident occurred on May 16, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 16, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of building permits and inspection notes for permit # 05-158555 BLD/PS/MS for (a specified address).
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'permit', '158555', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on October 28, 2012. Fire Report No. F12106592.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'october', 'report', 'f12106592']
Original Request: A copy of the fire report for (a specified address). The incident occurred on January 9, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of all inspection reports regarding the garage at (a specified address).
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'garage', 'specify', 'address']
Original Request: A copy of the fire report for (a specified address). The incident occurred on May 16, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur']
Original Request: A copy of the detailed report regarding bed bugs at (a specified address). The inspection was completed by (a specified individual).
Tokens prepared for LDA: ['report', 'regard', 'specify', 'address', 'inspection', 'complete', 'specify', 'individual']
Original Request: A copy of building history, permits, inspection reports for (a specified address), Toronto.
Tokens prepared for LDA: ['build', 'history', 'permit', 'inspection', 'report', 'specify', 'address', 'toronto']
Original Request: A copy of health inspection report for (a specified address), Toronto. The inspection was done on June 3, 2013.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'toronto', 'inspection']
Original Request: A copy of fire report for the incident that occurred on April 27, 2013 at (a specified address).
Tokens prepared for LDA: ['report', 'incident', 'occur', 'april', 'specify', 'address']
Original Request: A copy of the 911 audio record for the call in regard to reporting the smell of smoke at (a specified address). The call was made between 2010 and 2011.
Tokens prepared for LDA: ['audio', 'record', 'regard', 'report', 'smell', 'smoke', 'specify', 'address']
Original Request: A copy of the Public Health records with respect to bed bugs at (a specified address).
Tokens prepared for LDA: ['public', 'health', 'record', 'respect', 'specify', 'address']
Original Request: A copy of any work orders or records documenting costs of roofing repairs or jobs done on TCHC buildings from 2012 to present.
Tokens prepared for LDA: ['order', 'record', 'document', 'repair', 'building', 'present']
Original Request: Copies of all municipal and Toronto Police documents related to the existence of a grow-op at {}, between Jan. 1, 2005 to Dec. 31, 2015.
Tokens prepared for LDA: ['copy', 'municipal', 'toronto', 'police', 'document', 'relate', 'existence', 'january', 'december']
Original Request: A copy of Toronto Water report following inspection on Dec. 27, 2015 at {}, ref. # 895861.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'follow', 'inspection', 'december', '895861']
Original Request: Water maintenance records pertaining to {} following sewer back-up which occurred at or near the property: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: Water maintenance records pertaining to {} following sewer back-up which occurred at or near the property: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: All the Public Health inspection reports (including those completed in August and October 2015) for {}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'include', 'complete', 'august', 'october']
Original Request: All records, notations, correspondence and documents, internal or otherwise, pertaining to water meter(s) at {} registered to {}, including those relevant to meter inspection, meter installation, and meter reading, and billing.
Tokens prepared for LDA: ['record', 'notation', 'correspondence', 'document', 'internal', 'pertain', 'water', 'meter(s', 'register', 'include', 'relevant', 'meter', 'inspection', 'meter', 'installation', 'meter']
Original Request: All records, notations, correspondence and documents, internal or otherwise, pertaining to water meter(s) at {} registered to {}, including those relevant to meter inspection, meter installation, and meter reading, and billing.
Tokens prepared for LDA: ['record', 'notation', 'correspondence', 'document', 'internal', 'pertain', 'water', 'meter(s', 'register', 'include', 'relevant', 'meter', 'inspection', 'meter', 'installation', 'meter']
Original Request: All building records, inspector notes, and other materials relating to building permit 08-145824 (BLD and HVA) for the property located at {}.
Tokens prepared for LDA: ['build', 'record', 'inspector', 'material', 'relate', 'build', 'permit', '145824', 'property', 'locate']
Original Request: A copy of investigative report into allegations of the operation of a business in a zoned residential neighborhood - {} sometime around November 16, 2015. Record of any and all complaints made against said property since March 2010.
Tokens prepared for LDA: ['investigative', 'report', 'allegation', 'operation', 'business', 'residential', 'neighborhood', 'november', 'record', 'complaint', 'property', 'march']
Original Request: Record of the address information for taxi driver {} operating under Diamond Taxi Dispatch Services Ltd., from May 30, 2013 to May 31, 2013.
Tokens prepared for LDA: ['record', 'address', 'information', 'driver', 'operate', 'diamond', 'dispatch', 'services']
Original Request: Any information including photos of red light camera capture, plate # etc. of a motor vehicle collision involving a white SUV, heading southbound on University Ave.; which ran the red light and was subsequently hit on the driver side by another vehicle.
Tokens prepared for LDA: ['information', 'include', 'photo', 'light', 'camera', 'capture', 'plate', 'motor', 'vehicle', 'collision', 'involve', 'white', 'southbound', 'university', 'light', 'subsequently', 'driver', 'vehicle']
Original Request: Copies of building permits, surveys, drawings, zoning designation and violations for property located at {} from as far as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'survey', 'drawing', 'designation', 'violation', 'property', 'locate', 'possible', 'present']
Original Request: Copies of all documents related to garage permit # 00-14995 CMB, issued to {}.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'garage', 'permit', '14995', 'issue']
Original Request: The most recent copy of the contract/ agreement/terms; by which any part of "Ward's Island washroom on Lakeshore Ave is leased or otherwise used by anyone or company.
Tokens prepared for LDA: ['recent', 'contract/', 'agreement', 'island', 'washroom', 'lakeshore', 'lease', 'company']
Original Request: Water maintenance records pertaining to {} following waterline/watermain rupture which occurred at or near the property: (a) A copy of the City's notes, records, and reports relating to the relevant sewer(s)/watermains for the period etc
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'waterline', 'watermain', 'rupture', 'occur', 'property', 'record', 'report', 'relate', 'relevant', 'sewer(s)/watermains', 'period']
Original Request: A copy of water infrastructural records/drawings/depictions etc., for {} from the time of initial water connection to present, including any records of installations and/or repairs completed on watermains/pipes etc.
Tokens prepared for LDA: ['water', 'infrastructural', 'record', 'drawing', 'depiction', 'initial', 'water', 'connection', 'present', 'include', 'record', 'installation', 'and/or', 'repair', 'complete', 'watermains']
Original Request: A copy of any memorandum of understanding between Toronto Public Health and Toronto Police Services.
Tokens prepared for LDA: ['memorandum', 'understand', 'toronto', 'public', 'health', 'toronto', 'police', 'services']
Original Request: Names of insurance companies that the City of Toronto has a contract with; insurance policy with and pays premiums to; annual cost to the Toronto public.
Tokens prepared for LDA: ['names', 'insurance', 'company', 'toronto', 'contract', 'insurance', 'policy', 'premium', 'annual', 'toronto', 'public']
Original Request: A copy of zoning investigation regarding {}, and a copy of Notice of Violation issued under Zoning by-law 438-86. Inspections conducted by James Slocum and Manzurul Hoque. Record search from Oct. 15, 2015 to Jan. 6, 2016.
Tokens prepared for LDA: ['investigation', 'regard', 'notice', 'violation', 'issue', 'zoning', 'inspection', 'conduct', 'james', 'slocum', 'manzurul', 'hoque', 'record', 'search', 'october', 'january']
Original Request: A report from Toronto Water relating to the flooding that occurred on Oct, 25/26, 2013 at {}.
Tokens prepared for LDA: ['report', 'toronto', 'water', 'relate', 'flood', 'occur', '25/26']
Original Request: A complete copy of building file for {} from 1969 to present.
Tokens prepared for LDA: ['complete', 'build', 'present']
Original Request: A copy of Toronto Water report for City pipe inspection at {} on Nov. 7, 2015.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'inspection', 'november']
Original Request: A copy of public health inspection reports for Birkdale Residence at 1229 Ellesmere Rd., from Jan. 1, 2013 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'birkdale', 'residence', 'ellesmere', 'january', 'january']
Original Request: A copy of public health inspection reports for Christie Refugee Welcome Centre at 43 Christie St.., from Jan. 1, 2013 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'christie', 'refugee', 'welcome', 'centre', 'christie', 'january', 'january']
Original Request: A copy of public health inspection reports for Family Residence, 4222 Kingston Rd., from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'family', 'residence', 'kingston', 'january', 'january']
Original Request: A copy of public health inspection reports for Red Door Family Shelter, 875 Queen St. E., from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'family', 'shelter', 'queen', 'january', 'january']
Original Request: A copy of public health inspection reports for Robertson House, 291 Sherbourne St., from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'robertson', 'house', 'sherbourne', 'january', 'january']
Original Request: A copy of public health inspection reports for Sojourn House, 101 Ontario St., from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'sojourn', 'house', 'ontario', 'january', 'january']
Original Request: A copy of public health inspection reports for Toronto Community Hostel, 191 Spadina Rd., from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'toronto', 'community', 'hostel', 'spadina', 'january', 'january']
Original Request: A copy of ML&S report following the investigation of the housing of dogs at {}. Record search from Dec. 8, 2015 to Dec. 20, 2015. Inspector Jerry Higgins.
Tokens prepared for LDA: ['report', 'follow', 'investigation', 'house', 'record', 'search', 'december', 'december', 'inspector', 'jerry', 'higgins']
Original Request: A copy of folder #20-12 254524 PRS 00 IR in relation to {}.
Tokens prepared for LDA: ['folder', '254524', 'relation']
Original Request: Reports of the frequency of operations, inspections and pictures for snow removal on Renforth Drive (south of Burnamthorpe Road) and on both sides of the street, from Jan. 15, 2014 to Feb. 28, 2014.
Tokens prepared for LDA: ['report', 'frequency', 'operation', 'inspection', 'picture', 'removal', 'renforth', 'drive', 'south', 'burnamthorpe', 'street', 'january', 'february']
Original Request: Record of all closed permits for {} from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'close', 'permit', 'january', 'january']
Original Request: A copy of the scoring sheet for vendor evaluation in response to RFP 9144-15-7253 for SAP Operations Support Services which was closed Sep. 25, 2015.
Tokens prepared for LDA: ['score', 'sheet', 'vendor', 'evaluation', 'response', 'operations', 'support', 'services', 'close', 'september']
Original Request: A copy of building and ML&S inspection reports in relation to 2nd fl. shift electrical fire at {}. Record search from Dec. 15, 2011 to Jun. 5, 2013.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'relation', 'shift', 'electrical', 'record', 'search', 'december']
Original Request: A copy of complaint investigation outcome in relation to shrub placement on the property of {}. Record search from Dec. 23, 2-015 to present. Complaint was made by {}.
Tokens prepared for LDA: ['complaint', 'investigation', 'outcome', 'relation', 'shrub', 'placement', 'property', 'record', 'search', 'december', 'present', 'complaint']
Original Request: A complete copy of Committee of Adjustment file in relation to {}, including the cover letter for petition documents submitted to the Committee in Feb. or Mar. of 2015. This cover page was excluded from public records.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'relation', 'include', 'cover', 'letter', 'petition', 'document', 'submit', 'committee', 'february', 'march', 'cover', 'exclude', 'public', 'record']
Original Request: A complete copy of Committee of Adjustment file in relation to {}, including the cover letter for petition documents submitted to the Committee in Feb. or Mar. of 2015. This cover page was excluded from public records.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'relation', 'include', 'cover', 'letter', 'petition', 'document', 'submit', 'committee', 'february', 'march', 'cover', 'exclude', 'public', 'record']
Original Request: A complete copy of Animal Services file related to incident # A15-049009.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'relate', 'incident', '049009']
Original Request: A complete copy of Animal Services file related to incident # A15-049239.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'relate', 'incident', '049239']
Original Request: In relation to Park Lane Limousine Services Inc., at 2900 Warden Avenue, the following documents are requested between the dates of May 12th, 2007 and present:
Tokens prepared for LDA: ['relation', 'limousine', 'services', 'warden', 'avenue', 'follow', 'document', 'request', 'present']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code etc.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code etc.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: Record of any outstanding work orders, incompliance, violations of the Toronto Municipal Code Chapter 681 with respect to sewers and disposal of waste water at {}.
Tokens prepared for LDA: ['record', 'outstanding', 'order', 'incompliance', 'violation', 'toronto', 'municipal', 'chapter', 'respect', 'sewer', 'disposal', 'waste', 'water']
Original Request: A copy of ML&S inspection report following investigation at {} from Oct. 1, 2015 to Jan. 1, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'october', 'january']
Original Request: A copy of Public Health inspection report in relation to food poisoning sustained by {} after dining at the food building on CNE grounds. Record search from Aug. 27, 2015 to Aug. 31, 2015.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'relation', 'poison', 'sustain', 'build', 'ground', 'record', 'search', 'august', 'august']
Original Request: Documentation from Toronto Paramedic Services, including the staff psychologist and team reports/statistics/requests, detailing the number of staff members who have requested or received either advice, treatment or leave of absence etc.
Tokens prepared for LDA: ['documentation', 'toronto', 'paramedic', 'services', 'include', 'staff', 'psychologist', 'report', 'statistic', 'request', 'staff', 'member', 'request', 'receive', 'advice', 'treatment', 'leave', 'absence']
Original Request: Record of the annual cost (expense), income and profit reported for, the Toronto Island Ferry Service, from Jan. 1, 2010 to Jan. 1, 2015.
Tokens prepared for LDA: ['record', 'annual', 'expense', 'income', 'profit', 'report', 'toronto', 'island', 'ferry', 'service', 'january', 'january']
Original Request: A copy of the Record of Site Condition (RSC), environmental study and testing submitted with the original application for 122 Queen's Plate Dr., including the name of the architect. Record search 2002 to 2015.
Tokens prepared for LDA: ['record', 'condition', 'environmental', 'study', 'submit', 'original', 'application', 'queen', 'plate', 'include', 'architect', 'record', 'search']
Original Request: A copy of plumbing permit # 14-230199 PSA 00 PS including inspection notes and sign off documents for {}.
Tokens prepared for LDA: ['plumb', 'permit', '230199', 'include', 'inspection', 'document']
Original Request: A copy of plumbing permit # 14-230199 PSA 00 PS including inspection notes and sign off documents for {}.
Tokens prepared for LDA: ['plumb', 'permit', '230199', 'include', 'inspection', 'document']
Original Request: Record of the actual renovation costs to the Trillium Ferry boat from Jan. 1, 1977 to 1979.
Tokens prepared for LDA: ['record', 'actual', 'renovation', 'trillium', 'ferry', 'january']
Original Request: Record of all building permits, notices of violations, work orders and inspection reports/recrds for {}.
Tokens prepared for LDA: ['record', 'build', 'permit', 'notice', 'violation', 'order', 'inspection', 'report', 'recrds']
Original Request: A copy of Property Standards inspection report following investigation at {} on Jan. 14, 2016. Inspector Claude Seucharan.
Tokens prepared for LDA: ['property', 'standard', 'inspection', 'report', 'follow', 'investigation', 'january', 'inspector', 'claude', 'seucharan']
Original Request: A copy of inspection notes and reports following the investigation of storm drains at {} ref. # 3757208 and 101003773670.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'investigation', 'storm', 'drain', '3757208', '101003773670']
Original Request: Record of complete building file for {} including, all inspections records, applications, committee of adjustment applications and notes. Record search from Oct. 1999 to Dec. 2001.
Tokens prepared for LDA: ['record', 'complete', 'build', 'include', 'inspection', 'record', 'application', 'committee', 'adjustment', 'application', 'record', 'search', 'october', 'december']
Original Request: Record of all information held within the City's AMANDA system (IBMS) in relation to {} at {} including notices of zoning by-law compliance, requests for zoning clearance and examiners notices.
Tokens prepared for LDA: ['record', 'information', 'amanda', 'relation', 'include', 'notice', 'compliance', 'request', 'clearance', 'examiner', 'notice']
Original Request: Record of all information held within the City's AMANDA system (IBMS) in relation to {} at {} including notices of zoning by-law compliance, requests for zoning clearance and examiners notices.
Tokens prepared for LDA: ['record', 'information', 'amanda', 'relation', 'include', 'notice', 'compliance', 'request', 'clearance', 'examiner', 'notice']
Original Request: A complete copy of ECS file with respect to contract No. 13FS-06 WS between the City and Rabcon Contractors Ltd. for the construction and installation of watermains and storm sewers on Yonge St. from Sheppard Ave. to Finch Ave., etc.
Tokens prepared for LDA: ['complete', 'respect', 'contract', '13fs-06', 'rabcon', 'contractor', 'construction', 'installation', 'watermains', 'storm', 'sewer', 'yonge', 'sheppard', 'finch']
Original Request: A copy of building inspection report for {} including the name of the attending City inspector. Record search from Dec. 2015 to Jan. 2016.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'include', 'attend', 'inspector', 'record', 'search', 'december', 'january']
Original Request: A copy of building permits, permit applications, inspection and other reports/records for {}. Record search from 1999 to present.
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'inspection', 'report', 'record', 'record', 'search', 'present']
Original Request: A copy of investigative notes and reports into complaints made by {} of the Etobicoke Olympium Fitness Club or PFR employee regarding {}. Record search from May 2013 to present.
Tokens prepared for LDA: ['investigative', 'report', 'complaint', 'etobicoke', 'olympium', 'fitness', 'employee', 'regard', 'record', 'search', 'present']
Original Request: A copy of investigative notes and reports into complaints of assault made by {} to {}, Supervisor of the Etobicoke Olympium Fitness Club in 2008. Record search from Jul. 2008 to present.
Tokens prepared for LDA: ['investigative', 'report', 'complaint', 'assault', 'supervisor', 'etobicoke', 'olympium', 'fitness', 'record', 'search', 'present']
Original Request: Copies of all inspection reports related to {} under permit No. 09-123863.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relate', 'permit', '123863']
Original Request: A copy of the work order and permit issued for road repair on Frichot Ave, immediately west of Yonge St., om Jul. 6, 2015. Including a confirmation that the work undertaken intersection the time of 5:20 PM that day; the nature of the work performed etc.
Tokens prepared for LDA: ['order', 'permit', 'issue', 'repair', 'frichot', 'immediately', 'yonge', 'include', 'confirmation', 'undertake', 'intersection', 'nature', 'perform']
Original Request: A complete copy of urban forestry file in relation to application to injure white oak tree at {} including, but not limited to permit applications, reports, orders, notices notes etc.
Tokens prepared for LDA: ['complete', 'urban', 'forestry', 'relation', 'application', 'injure', 'white', 'include', 'limit', 'permit', 'application', 'report', 'order', 'notice']
Original Request: A copy of Toronto Water file for {} from 2000 to present.
Tokens prepared for LDA: ['toronto', 'water', 'present']
Original Request: All e-mails, hand written memos, briefing notes, reports, and presentations between Councillor Norm Kelly and Jerry Nasr (jnasr@toronto.ca), Paula Gonçalves (pgoncal@toronto.ca), Tas Borovilos (tborovi@toronto.ca), Lynda Bowerman (lbowerm@toronto.ca).
Tokens prepared for LDA: ['write', 'brief', 'report', 'presentation', 'councillor', 'kelly', 'jerry', 'jnasr@toronto.ca', 'paula', 'gonçalves', 'pgoncal@toronto.ca', 'borovilos', 'tborovi@toronto.ca', 'lynda', 'bowerman', 'lbowerm@toronto.ca']
Original Request: Record of any outstanding work orders, incompliance or violations against property located at {}.
Tokens prepared for LDA: ['record', 'outstanding', 'order', 'incompliance', 'violation', 'property', 'locate']
Original Request: A copy of permit application and decision issued to {} in 2015, to injure or destroy trees on the aforementioned property and, hedging between it and adjacent property at {}.
Tokens prepared for LDA: ['permit', 'application', 'decision', 'issue', 'injure', 'destroy', 'aforementioned', 'property', 'hedge', 'adjacent', 'property']
Original Request: 1. In relation to building permits for {}: all Inspection reports or other documentation, including e-mails, memorandums, briefing notes, intra-office communication or meeting notes, including but not limited to Victor Arujo etc.
Tokens prepared for LDA: ['relation', 'build', 'permit', 'inspection', 'report', 'documentation', 'include', 'memorandum', 'brief', 'intra', 'office', 'communication', 'include', 'limit', 'victor', 'arujo']
Original Request: All the documents related to the property {} including documents, inspector's notes etc. related to permit application - # 03-158605 and any previous records. Record search from Jan. 1, 1977 to Jan. 1, 2014.
Tokens prepared for LDA: ['document', 'relate', 'property', 'include', 'document', 'inspector', 'relate', 'permit', 'application', '158605', 'previous', 'record', 'record', 'search', 'january', 'january']
Original Request: All records relating to the dog bite incident at {} wherein a Pug owned by {} and {} was attacked.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'attack']
Original Request: A copy of water flow testing report for {} ref. # 987588.
Tokens prepared for LDA: ['water', 'report', '987588']
Original Request: Documentation of call script, recording or notes following call to 311 regarding a damaged culvert outside the residence of {} on Feb. 10, 2016; at the intersection of Bellacaine/Sonnylea Ave. Record search from 2011 to 2016.
Tokens prepared for LDA: ['documentation', 'script', 'record', 'follow', 'regard', 'damage', 'culvert', 'outside', 'residence', 'february', 'intersection', 'bellacaine', 'sonnylea', 'record', 'search']
Original Request: A copy of watermain service record for {} including but not limited to reports, photographs, documents and videotapes. Record search from 2000 to Mar. 7, 2014.
Tokens prepared for LDA: ['watermain', 'service', 'record', 'include', 'limit', 'report', 'photograph', 'document', 'videotape', 'record', 'search', 'march']
Original Request: A copy of ML&S investigative file 15 224853 ZON IR in relation to zoning at {}.
Tokens prepared for LDA: ['investigative', '224853', 'relation']
Original Request: In relation to {} building records for the following permit applications are requested: 1) permit no. 13-148316 BLD 2) no. 254024 3) permit no. 306530 4) permit no. 311491 5) permit no. 376175 6) permit no. 392985 etc.
Tokens prepared for LDA: ['relation', 'build', 'record', 'follow', 'permit', 'application', 'request', 'permit', '148316', '254024', 'permit', '306530', 'permit', '311491', 'permit', '376175', 'permit', '392985']
Original Request: Documentation of the road conditions i.e. pavement quality/degradation, the existence of bumps, potholes etc. of the eastbound and westbound lanes of Lawrence Ave. W., from Allen Rd. to Scarlett Rd during the month of Aug. 2014.
Tokens prepared for LDA: ['documentation', 'condition', 'pavement', 'quality', 'degradation', 'existence', 'pothole', 'eastbound', 'westbound', 'lawrence', 'allen', 'scarlett', 'month', 'august']
Original Request: City pipe, drain, sewer maintenance, repair, work orders, flush records, City Water report related to {}, including, but not limited to the particulars of the loss on or around June 24, 2015. Record search from July 2013 to July 2015.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'relate', 'include', 'limit', 'particular', 'record', 'search']
Original Request: Toronto Public Health investigation report by Sami El-Hajjeh re: an alleged dog bite that occurred on Nov. 26, 2015 at Allan Gardens.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'investigation', 'report', 'hajjeh', 'allege', 'occur', 'november', 'allan', 'garden']
Original Request: All records relating to complaints against, and investigations of {}, including but not limited to records relating to the nvestigation numbers: 15 190412 PRS 00 IR; 15 232399 ZON 00 IR, and 16 105196 PRS 00 IR.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'investigation', 'include', 'limit', 'record', 'relate', 'nvestigation', 'number', '190412', '232399', '105196']
Original Request: Building permits for {}, permit # 14 228700 BLD 00 SR,issued on Oct. 8, 2014 for 2 story addition. Inspector was John Sadler.
Tokens prepared for LDA: ['building', 'permit', 'permit', '228700', 'issue', 'october', 'story', 'addition', 'inspector', 'sadler']
Original Request: Public Health inspection report for {}. Inspection was done on Dec. 16, 2015 relating to mould issue.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'inspection', 'december', 'relate', 'mould', 'issue']
Original Request: History report, inspection reports, open permits, violations, work orders for {}, from Jan. 1995 to present.
Tokens prepared for LDA: ['history', 'report', 'inspection', 'report', 'permit', 'violation', 'order', 'january', 'present']
Original Request: History report, inspection reports, open permits, violations, work orders for {}, from Jan. 1995 to present.
Tokens prepared for LDA: ['history', 'report', 'inspection', 'report', 'permit', 'violation', 'order', 'january', 'present']
Original Request: Copies of orders to comply filed against the Corporation TSCC 2351; complaints made privately by persons other than the City/Municipal for {}, from Jan. 6, 2014 to Jan. 2016.
Tokens prepared for LDA: ['copy', 'order', 'comply', 'corporation', 'complaint', 'privately', 'person', 'municipal', 'january', 'january']
Original Request: All building records for {} including but not limited to surveys, permit applications, architectural, structural or mechanical plans, field review reports, records of inspection, grading plans, orders to comply, by-law records.
Tokens prepared for LDA: ['build', 'record', 'include', 'limit', 'survey', 'permit', 'application', 'architectural', 'structural', 'mechanical', 'field', 'review', 'report', 'record', 'inspection', 'grade', 'order', 'comply', 'record']
Original Request: A copy of any complaints filed against {} from Aug.2014 to present. Records search to be from 311 and ML&S.
Tokens prepared for LDA: ['complaint', 'aug.2014', 'present', 'record', 'search', 'ml&s.']
Original Request: A copy of any and all building inspection records or notes, Committee of Adjustment rulings, orders to comply, building permit forms and documents regarding {} from 1995 to present.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'committee', 'adjustment', 'ruling', 'order', 'comply', 'build', 'permit', 'document', 'regard', 'present']
Original Request: A copy of all sewer maintenance records from Jan.1. 2000 to Dec. 31, 2015 for the sewers servicing at {}, file No.15 63866. Including those documents which state the City's policy for maintenance on sewer laterals and sewer mains.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'jan.1', 'december', 'sewer', 'service', 'no.15', '63866', 'include', 'document', 'state', 'policy', 'maintenance', 'sewer', 'lateral', 'sewer']
Original Request: A copy of any background materials related to the removal of trees from {} including, but not limited to: 1. All correspondence exchanged between the City of Toronto, including, but not limited to, City Planning and Building Staff.
Tokens prepared for LDA: ['background', 'material', 'relate', 'removal', 'include', 'limit', 'correspondence', 'exchange', 'toronto', 'include', 'limit', 'planning', 'building', 'staff']
Original Request: A copy of Fire Services inspection report on July 31, 2015 with regards to basement apartment inspection at {}.
Tokens prepared for LDA: ['services', 'inspection', 'report', 'regard', 'basement', 'apartment', 'inspection']
Original Request: Any and all notices to comply, issued to any owner of {} including pending notices of action for non-compliance to orders issued and all building inspection documents, litigation/court action taken by the City against the property etc.
Tokens prepared for LDA: ['notice', 'comply', 'issue', 'owner', 'include', 'notice', 'action', 'compliance', 'order', 'issue', 'build', 'inspection', 'document', 'litigation', 'court', 'action', 'property']
Original Request: Any and all notices to comply, issued to any owner of {} including pending notices of action for non-compliance to orders issued and all building inspection documents, litigation/court action taken by the City against the property etc.
Tokens prepared for LDA: ['notice', 'comply', 'issue', 'owner', 'include', 'notice', 'action', 'compliance', 'order', 'issue', 'build', 'inspection', 'document', 'litigation', 'court', 'action', 'property']
Original Request: Copies of various Toronto Building archival records.
Tokens prepared for LDA: ['copy', 'various', 'toronto', 'building', 'archival', 'record']
Original Request: A copy of inspection report regarding watermain break at {} on Jan. 7, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'watermain', 'break', 'january']
Original Request: Record of any complaints and/or investigations regarding dogs at {} from Jan. 1, 2013 to Nov. 20, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'and/or', 'investigation', 'regard', 'january', 'november']
Original Request: Record of any complaints and/or investigations regarding dogs at {} from Jan. 1, 2013 to Nov. 20, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'and/or', 'investigation', 'regard', 'january', 'november']
Original Request: Record of any complaints and/or investigations regarding dogs at {} from Jan. 1, 2013 to Nov. 20, 2015.
Tokens prepared for LDA: ['record', 'complaint', 'and/or', 'investigation', 'regard', 'january', 'november']
Original Request: Record of all expenses incurred by members of the Mayor's Task Force on Toronto Community Housing.
Tokens prepared for LDA: ['record', 'expense', 'incur', 'member', 'mayor', 'force', 'toronto', 'community', 'housing']
Original Request: Record of all expenses incurred by members of the Mayor's Task Force on Toronto Community Housing.
Tokens prepared for LDA: ['record', 'expense', 'incur', 'member', 'mayor', 'force', 'toronto', 'community', 'housing']
Original Request: Record of all itineraries for Mayor John Tory between Jul. 1, 2015 and Dec. 31, 2015 that reference the Board of Directors for Rogers Communications Inc., and Rogers family-related trusts, any Rogers private boards, and the Advisory Committee etc.
Tokens prepared for LDA: ['record', 'itinerary', 'mayor', 'december', 'reference', 'board', 'director', 'rogers', 'communications', 'rogers', 'family', 'relate', 'trust', 'rogers', 'private', 'board', 'advisory', 'committee']
Original Request: A copy of inspection report and investigative notes (defects etc.) for outdoor drain pipes on the property of {} in Jul. 2015.
Tokens prepared for LDA: ['inspection', 'report', 'investigative', 'defect', 'outdoor', 'drain', 'property']
Original Request: A copy of 311 service request for the Toxic Taxi pick-up of T8 lights from {} including document confirming pick-up. Record search from May 1, 2015 to Aug. 31, 2015.
Tokens prepared for LDA: ['service', 'request', 'toxic', 'light', 'include', 'document', 'confirm', 'record', 'search', 'august']
Original Request: A copy of ML&S inspection report for {} to investigate the possibility of fire hazards. Inspector Erik Boss.
Tokens prepared for LDA: ['inspection', 'report', 'investigate', 'possibility', 'hazard', 'inspector']
Original Request: The most recent copy of Toronto Zoo public relations strategy/communications plan for the giant pandas that is: a 'master plan' that outlines the handling of communications, announcements, publicity, media monitoring reports and any updates etc.
Tokens prepared for LDA: ['recent', 'toronto', 'public', 'relation', 'strategy', 'communication', 'giant', 'panda', 'master', 'outline', 'handle', 'communication', 'announcement', 'publicity', 'medium', 'monitor', 'report', 'update']
Original Request: A copy of fire inspection and violation reports and records for {}. Record search from Sep. 1, 2013 to present.
Tokens prepared for LDA: ['inspection', 'violation', 'report', 'record', 'record', 'search', 'september', 'present']
Original Request: A copy of Committee of Adjustment file for {} file# A-450-85, including any documents pertaining to OMB decisions. Record search from 1980 to 1990.
Tokens prepared for LDA: ['committee', 'adjustment', 'a-450', 'include', 'document', 'pertain', 'decision', 'record', 'search']
Original Request: Record of property taxes paid and/or outstanding on property located at {} from Jan. 1, 2010 to Dec. 30, 2015.
Tokens prepared for LDA: ['record', 'property', 'taxis', 'and/or', 'outstanding', 'property', 'locate', 'january', 'december']
Original Request: Copies of permit documents for {} including those which identify the building to be erected on the site. Lot is currently fenced for construction.
Tokens prepared for LDA: ['copy', 'permit', 'document', 'include', 'identify', 'build', 'erect', 'currently', 'fence', 'construction']
Original Request: Copies of ML&S and Toronto Fire inspection reports for {} including, any and all documents provided at any time to the landlord, under the surname {} or with telephone contact. Record search from 2016 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'inspection', 'report', 'include', 'document', 'provide', 'landlord', 'surname', 'telephone', 'contact', 'record', 'search', 'present']
Original Request: Record of the number of cases lost by Officer {} in traffic court due to infractions involving code 30 for stopping on/over a sidewalk/footpath.
Tokens prepared for LDA: ['record', 'officer', 'traffic', 'court', 'infraction', 'involve', 'sidewalk', 'footpath']
Original Request: Copies of Toronto Building, Toronto Fire Services and City Planning (zoning documents only); Toronto Water (sewer maintenance records/work orders) files for {}.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'toronto', 'services', 'planning', 'document', 'toronto', 'water', 'sewer', 'maintenance', 'record', 'order']
Original Request: Any records related to demolition permits, including the permits, for {} also known as {}.
Tokens prepared for LDA: ['record', 'relate', 'demolition', 'permit', 'include', 'permit']
Original Request: A copy of Public Health Inspection report for {} from Aug. to Oct. 2013. Ref. Access Request Number 2013-02562.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'august', 'october', 'access', 'request', 'number', '02562']
Original Request: In relation to abandoned 300 mm diameter water main located beneath the outer westbound lane on Lakeshore Blvd ., the following records are requested: date of abandonment; including original date of installation; maintenance records etc.
Tokens prepared for LDA: ['relation', 'abandon', 'diameter', 'water', 'locate', 'beneath', 'outer', 'westbound', 'lakeshore', 'follow', 'record', 'request', 'abandonment', 'include', 'original', 'installation', 'maintenance', 'record']
Original Request: A list of properties, addresses or location owned by the City that have either been designated surplus, derelict, unsalable i.e. could not be sold through a municipal auction or tax sale for over 10 years. Further, this land can have a building etc.
Tokens prepared for LDA: ['property', 'address', 'location', 'designate', 'surplus', 'derelict', 'unsalable', 'municipal', 'auction', 'build']
Original Request: A copy of zoning, permit and permitted use documents for {} in 1962/1963 including those same documents at the time it was re-zoned in 1995.
Tokens prepared for LDA: ['permit', 'permit', 'document', '1962/1963', 'include', 'document']
Original Request: A copy of fire inspection report and notes for {}, ML&S investigative records, documentation on the legality of the basement apartment on the property.
Tokens prepared for LDA: ['inspection', 'report', 'investigative', 'record', 'documentation', 'legality', 'basement', 'apartment', 'property']
Original Request: Copies of full sized plans (8) on Committee of Adjustment file for {} file# A1155/14 TEY.
Tokens prepared for LDA: ['copy', 'committee', 'adjustment', 'a1155/14']
Original Request: Any and all permit information in relation to {} including, inspectors' notes and/or additional documentation, relating to building permits and sump-pump installation.
Tokens prepared for LDA: ['permit', 'information', 'relation', 'include', 'inspector', 'and/or', 'additional', 'documentation', 'relate', 'build', 'permit', 'installation']
Original Request: A copy of report in relation to road service request, ref. no. 3427678.
Tokens prepared for LDA: ['report', 'relation', 'service', 'request', '3427678']
Original Request: A copy of confidential attachment #1, as per August 5, 2014 Executive Committee Agenda item pertaining to Agreement of Purchase and Sale of property at 196 Manor Road East, Toronto. Reference number: P:\2014\Internal Services\RE\Ec14032re(AFS # 20196).
Tokens prepared for LDA: ['confidential', 'attachment', 'august', 'executive', 'committee', 'agenda', 'pertain', 'agreement', 'purchase', 'property', 'manor', 'toronto', 'reference', 'p:\\2014\\internal', 'services\\re\\ec14032re(afs', '20196']
Original Request: All e-mails, briefing notes, memos and minutes prepared by staff in Mayor John Tory's office for Prime Minister Justin Trudeau's visit to City Hall on Jan. 13, 2016. Record search from Jan. 1-20, 2016.
Tokens prepared for LDA: ['brief', 'minute', 'prepare', 'staff', 'mayor', 'office', 'prime', 'minister', 'justin', 'trudeau', 'visit', 'january', 'record', 'search', 'january']
Original Request: Record of all water main which have been re-lined using the CIPP (cured in place pipe) process during the last 20 years (1995-2015). Also, the material composition (i.e. cast iron, ductile iron, PVC, asbestos etc.) associated with each re-lining project
Tokens prepared for LDA: ['record', 'water', 'place', 'process', 'material', 'composition', 'ductile', 'asbestos', 'associate', 'project']
Original Request: A copy of ML&S investigative report following dog bite incident involving {} who was bitten on Jul. 4, 2015 in Denfield Park by Inspector Paul Calzavara.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'incident', 'involve', 'denfield', 'inspector', 'calzavara']
Original Request: Water maintenance records pertaining to {} following the rupturing of a fire suppression line in the parking garage of the aforementioned address: (a) A copy of the City's notes, records, and reports relating to the relevant loss etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'rupture', 'suppression', 'garage', 'aforementioned', 'address', 'record', 'report', 'relate', 'relevant']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A complete copy of building file for {} including the designated use and type of building. Record search from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'designate', 'build', 'record', 'search', 'possible', 'present']
Original Request: Record of any by-law infractions or noise complaints against {}, including fire code and health violations. Record search from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'infraction', 'noise', 'complaint', 'include', 'health', 'violation', 'record', 'search', 'january', 'january']
Original Request: Record of any by-law infractions or noise complaints against {}, including fire code and health violations. Record search from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'infraction', 'noise', 'complaint', 'include', 'health', 'violation', 'record', 'search', 'january', 'january']
Original Request: Record of Toronto Water inspection notes and work orders in relation to {} during the year 2015. Ref. claim # 3380072 & 3756705.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'inspection', 'order', 'relation', 'claim', '3380072', '3756705']
Original Request: Information and records including court papers and evidence related to {} file# 14-149077.
Tokens prepared for LDA: ['information', 'record', 'include', 'court', 'paper', 'evidence', 'relate', '149077']
Original Request: All correspondence, written or electronic, to ML&S regarding license for Taxi Brokerage License by the entire Uber group of companies, including Uber, Uber Canada, Uber B.V., Uber Rasier and any other Uber entities, from June 1, 2015 to Feb. 1, 2016.
Tokens prepared for LDA: ['correspondence', 'write', 'electronic', 'regard', 'license', 'brokerage', 'license', 'entire', 'group', 'company', 'include', 'canada', 'rasier', 'entity', 'february']
Original Request: Information on development at {}, including all inspectors' reports, engineers' reports, angle of repose and all photos of digging including photos of {}, from Jan. 2015 to Jan. 2016.
Tokens prepared for LDA: ['information', 'development', 'include', 'inspector', 'report', 'engineer', 'report', 'angle', 'repose', 'photo', 'include', 'photo', 'january', 'january']
Original Request: Recordings and/or transcripts of all interactions between cell phone # {number removed} and 311 between Aug. 2015 to present; recordings and/or transcripts of all interactions between home phone # {number removed} and 311 between Aug. 2015 to present.
Tokens prepared for LDA: ['recording', 'and/or', 'transcript', 'interaction', 'phone', 'remove', 'august', 'present', 'recording', 'and/or', 'transcript', 'interaction', 'phone', 'remove', 'august', 'present']
Original Request: Recordings and/or transcripts of all interactions between cell phone # {number removed} and 311 between Aug. 2015 to present; recordings and/or transcripts of all interactions between home phone # {number removed} and 311 between Aug. 2015 to present.
Tokens prepared for LDA: ['recording', 'and/or', 'transcript', 'interaction', 'phone', 'remove', 'august', 'present', 'recording', 'and/or', 'transcript', 'interaction', 'phone', 'remove', 'august', 'present']
Original Request: Building permit documents, inspection reports; Fire Services documents and inspection reports; correspondence related to demolition permit application # 16-102502 for {}, from 1976 to present.
Tokens prepared for LDA: ['building', 'permit', 'document', 'inspection', 'report', 'services', 'document', 'inspection', 'report', 'correspondence', 'relate', 'demolition', 'permit', 'application', '102502', 'present']
Original Request: Building permit documents, inspection reports; Fire Services documents and inspection reports; correspondence related to demolition permit application # 16-102502 for {}, from 1976 to present.
Tokens prepared for LDA: ['building', 'permit', 'document', 'inspection', 'report', 'services', 'document', 'inspection', 'report', 'correspondence', 'relate', 'demolition', 'permit', 'application', '102502', 'present']
Original Request: Building permit documents, inspection reports; Fire Services documents and inspection reports; correspondence related to demolition permit application # 16-102507 for {}, from 1976 to present.
Tokens prepared for LDA: ['building', 'permit', 'document', 'inspection', 'report', 'services', 'document', 'inspection', 'report', 'correspondence', 'relate', 'demolition', 'permit', 'application', '102507', 'present']
Original Request: Building permit documents, inspection reports; Fire Services documents and inspection reports; correspondence related to demolition permit application # 16-102507 for {}, from 1976 to present.
Tokens prepared for LDA: ['building', 'permit', 'document', 'inspection', 'report', 'services', 'document', 'inspection', 'report', 'correspondence', 'relate', 'demolition', 'permit', 'application', '102507', 'present']
Original Request: All internal briefings, reports, memos and other communications concerning the ridership numbers for the three-stop Scarborough subway and SmartTrack, including all inputs and outputs of the GTAModel, consideration of "Feeling Congested principles.
Tokens prepared for LDA: ['internal', 'briefing', 'report', 'communication', 'concern', 'ridership', 'number', 'scarborough', 'subway', 'smarttrack', 'include', 'input', 'output', 'gtamodel', 'consideration', 'feeling', 'congest', 'principle']
Original Request: All information relating to the application for front yard parking for {}, including official communication letters, any rejection letters, complaints filed, official diagrams and sketches for front yard.
Tokens prepared for LDA: ['information', 'relate', 'application', 'include', 'official', 'communication', 'letter', 'rejection', 'letter', 'complaint', 'official', 'diagram', 'sketch']
Original Request: All information pertaining to water main leaks and repairs on {}. A leak was detected and repaired on or about Feb. 2013. Records of this leak and any other leak or water related issues on this property.
Tokens prepared for LDA: ['information', 'pertain', 'water', 'repair', 'detect', 'repair', 'february', 'record', 'water', 'relate', 'issue', 'property']
Original Request: All information pertaining to water main leaks and repairs and any other water related issues for {}.
Tokens prepared for LDA: ['information', 'pertain', 'water', 'repair', 'water', 'relate', 'issue']
Original Request: All information pertaining to water main leaks and repairs on {}. A leak was detected and repaired on or about Feb. 2013. Records of this leak and any other leak or water related issues on this property.
Tokens prepared for LDA: ['information', 'pertain', 'water', 'repair', 'detect', 'repair', 'february', 'record', 'water', 'relate', 'issue', 'property']
Original Request: Health inspection report relating to mold issues at {}. Edward Lee was the inspector. Date of inspection Jan. 18, 2016.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'relate', 'issue', 'edward', 'inspector', 'inspection', 'january']
Original Request: Environmental data relating to air quality for or near various listed intersections.
Tokens prepared for LDA: ['environmental', 'datum', 'relate', 'quality', 'various', 'intersection']
Original Request: Documents related to Urban Forestry Permit # S-6699446 including inspection reports and site visit notes made by Forestry officers/inspectors, especially in relation to the inspection on or about Sept. 10, 2015. Record search from April 1 to Dec. 31, 201
Tokens prepared for LDA: ['document', 'relate', 'urban', 'forestry', 'permit', 's-6699446', 'include', 'inspection', 'report', 'visit', 'forestry', 'officer', 'inspector', 'especially', 'relation', 'inspection', 'september', 'record', 'search', 'april', 'december']
Original Request: Current list of names, addresses and telephone numbers of (1) standard taxi cab plate license owners/holders; (2) TTL - taxi cab plate license owners/holders; (3) Ambassador taxi license holders.
Tokens prepared for LDA: ['current', 'address', 'telephone', 'number', 'standard', 'plate', 'license', 'owner', 'holder', 'plate', 'license', 'owner', 'holder', 'ambassador', 'license', 'holder']
Original Request: City Council Item GM3.11 Ground Lease of Pantry Park in Exchange for the Release of Toronto District School Board Option on 80 Northern Dancer Blvd. The final lease and early drafts with TDSB and related documents.
Tokens prepared for LDA: ['council', 'gm3.11', 'ground', 'lease', 'pantry', 'exchange', 'release', 'toronto', 'district', 'school', 'board', 'option', 'northern', 'dancer', 'final', 'lease', 'early', 'draft', 'relate', 'document']
Original Request: Records related to the transfer of cats, dogs, and other animals from Toronto Animal Services and/or any other municipal animal pound to animal research facilities pursuant to the Animals for Research Act. Please include electronic correspondence
Tokens prepared for LDA: ['record', 'relate', 'transfer', 'animal', 'toronto', 'animal', 'services', 'and/or', 'municipal', 'animal', 'pound', 'animal', 'research', 'facility', 'pursuant', 'animal', 'research', 'include', 'electronic', 'correspondence']
Original Request: Records related to any complaints that Toronto restaurants are selling or offering dog meat, from Oct. 2015 - Dec. 2015, including at Yang's BBQ Restaurant, 4186 Finch Ave East.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'toronto', 'restaurant', 'offer', 'october', 'december', 'include', 'restaurant', 'finch']
Original Request: Maintenance records, service records, CCTV scopes and other related records for a sewer back up incident that occurred on feb. 4, 2014 at {} Etobicoke. Record search from Jan. 1, 2007 to Dec. 31, 2014.
Tokens prepared for LDA: ['maintenance', 'record', 'service', 'record', 'scope', 'relate', 'record', 'sewer', 'incident', 'occur', 'etobicoke', 'record', 'search', 'january', 'december']
Original Request: All evidence submitted to the Rooming House Licensing Commission for hearings which took place on July 6, 2015, Oct. 21, 2015, Dec. 2, 2015 and Jan. 19, 2016 relating to {}
Tokens prepared for LDA: ['evidence', 'submit', 'room', 'house', 'license', 'commission', 'hearing', 'place', 'october', 'december', 'january', 'relate']
Original Request: A copy of complaint filed by {} relating to {}. Complaint was filed in Jan. 2016.
Tokens prepared for LDA: ['complaint', 'relate', 'complaint', 'january']
Original Request: A complete copy of Toronto Public Health's investigative file into the Rothbart Pain Clinic following its inspection on Dec. 7, 2012.
Tokens prepared for LDA: ['complete', 'toronto', 'public', 'health', 'investigative', 'rothbart', 'clinic', 'follow', 'inspection', 'december']
Original Request: A complete copy of 311 file, ref. # 3500403 regarding blocked garbage chute investigation, from Aug. 15, 2015 including e-mails from and between {} Metcap Living staff - {}; {} and {} etc.
Tokens prepared for LDA: ['complete', '3500403', 'regard', 'block', 'garbage', 'chute', 'investigation', 'august', 'include', 'metcap', 'living', 'staff']
Original Request: ML&S investigation into illegal rooming accommodations at {} from Jan. 1-31, 2016. A copy of order issued for repairs to the premises, ref. # 15-264621. Record search Nov. 2015 to Feb. 2016.
Tokens prepared for LDA: ['investigation', 'illegal', 'accommodation', 'january', 'order', 'issue', 'repair', 'premise', '264621', 'record', 'search', 'november', 'february']
Original Request: ML&S investigation into illegal rooming accommodations at {} from Jan. 1-31, 2016. A copy of order issued for repairs to the premises, ref. # 15-264621. Record search Nov. 2015 to Feb. 2016.
Tokens prepared for LDA: ['investigation', 'illegal', 'accommodation', 'january', 'order', 'issue', 'repair', 'premise', '264621', 'record', 'search', 'november', 'february']
Original Request: A copy of application and accompanying attachments related to FOI 2015-01817.
Tokens prepared for LDA: ['application', 'accompany', 'attachment', 'relate', '01817']
Original Request: 1. All patrol, inspection, maintenance and repair records for the road at the intersection of Bay St. and Adelaide St. between June 1, 2012 to December 31, 2013; together with copies of any photographs taken etc.
Tokens prepared for LDA: ['patrol', 'inspection', 'maintenance', 'repair', 'record', 'intersection', 'adelaide', 'december', 'photograph']
Original Request: A copy of permit # 15-18699 BLD, issued to {}.
Tokens prepared for LDA: ['permit', '18699', 'issue']
Original Request: Record of Toronto Water performing work on the premises of {} during the month of Jan. 2016. The information may include details such as: a copy of the actual work order, the scope of work, affected areas, start and end dates.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'perform', 'premise', 'month', 'january', 'information', 'include', 'actual', 'order', 'scope', 'affect', 'start']
Original Request: An electronic copy of the records that were previously released in response to the request for general records identified as AG-2014-00839 and summarized as 'Any information or reports that were prepared by City Staff in anticipation of etc.
Tokens prepared for LDA: ['electronic', 'record', 'previously', 'release', 'response', 'request', 'general', 'record', 'identify', 'ag-2014', '00839', 'summarize', 'information', 'report', 'prepare', 'staff', 'anticipation']
Original Request: All e-mails, memos and other correspondence/communications sent or received by staffers from Councillor Norm Kelly's office that are related to the Councillor's Twitter account. (https://twitter.com/norm).
Tokens prepared for LDA: ['correspondence', 'communication', 'receive', 'staffer', 'councillor', 'kelly', 'office', 'relate', 'councillor', 'twitter', 'account', 'https://twitter.com/norm']
Original Request: An electronic copy of the records that were previously released in response to the request for general records identified as AG-2015-00128 and summarized as 'Contracts awarded for City of Toronto and its agencies, boards & corporations for website etc.
Tokens prepared for LDA: ['electronic', 'record', 'previously', 'release', 'response', 'request', 'general', 'record', 'identify', 'ag-2015', '00128', 'summarize', 'contract', 'award', 'toronto', 'agency', 'board', 'corporation', 'website']
Original Request: Copies of all e-mail correspondence between Mr. Amin Massoudi (amassou@toronto.ca) and the following City of Toronto Employees: 1) Mr. Sunny Petrujkic (spetruj2@toronto.ca) and 2) Earl Provost (eprovos@toronto.ca) etc.
Tokens prepared for LDA: ['copy', 'correspondence', 'massoudi', 'amassou@toronto.ca', 'follow', 'toronto', 'employee', 'sunny', 'petrujkic', 'spetruj2@toronto.ca', 'provost', 'eprovos@toronto.ca']
Original Request: Record of any by-law infractions or noise complaints against {}, including fire code and health violations. Record search from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['record', 'infraction', 'noise', 'complaint', 'include', 'health', 'violation', 'record', 'search', 'january', 'january']
Original Request: A copy of the Technical Research Study: Construction Related Vibration in the City of Toronto, 2007 Ref. No. (INSPEC-SOL Inc. Ref. No. T-1804); which was used to establish City by-law 514-2008. Ch. 363 with respect to construction vibration guidelines.
Tokens prepared for LDA: ['technical', 'research', 'study', 'construction', 'relate', 'vibration', 'toronto', 'inspec', 't-1804', 'establish', 'respect', 'construction', 'vibration', 'guideline']
Original Request: Copies of e-mails from James Dann jdann@toronto.ca; Warren Hoselton whoselton@toronto.ca; Patrick McCabe, pmccabe@toronto.ca relating to Nike Run and vessel access to Toronto Islands June 14th 2015.
Tokens prepared for LDA: ['copy', 'james', 'jdann@toronto.ca', 'warren', 'hoselton', 'whoselton@toronto.ca', 'patrick', 'mccabe', 'pmccabe@toronto.ca', 'relate', 'vessel', 'access', 'toronto', 'island']
Original Request: Copies of e-mails from and between James Dann, jdann@toronto.ca; Warren Hoselton, whoselton@toronto.ca; Patrick McCabe, pmccabe@toronto.ca; Ryan Glenn, rglenn@toronto.ca; including e-mails from and between Mike Riehl, mriehl@portstoronto.com etc.
Tokens prepared for LDA: ['copy', 'james', 'jdann@toronto.ca', 'warren', 'hoselton', 'whoselton@toronto.ca', 'patrick', 'mccabe', 'pmccabe@toronto.ca', 'glenn', 'rglenn@toronto.ca', 'include', 'riehl', 'mriehl@portstoronto.com']
Original Request: All communications between Mayor John Tory's office and employees or agents (including lobbyists) of Rogers.
Tokens prepared for LDA: ['communication', 'mayor', 'office', 'employee', 'agent', 'include', 'lobbyist', 'rogers']
Original Request: All communications between Mayor John Tory's office and employees of Bell Canada, including any lobbyists acting on behalf of Bell Canada.
Tokens prepared for LDA: ['communication', 'mayor', 'office', 'employee', 'canada', 'include', 'lobbyist', 'behalf', 'canada']
Original Request: A complete copy of file held by Rowntree Community Centre as it relates to {}.
Tokens prepared for LDA: ['complete', 'rowntree', 'community', 'centre', 'relate']
Original Request: A copy of the results and suggestions that were given to the City following the Circadian Shift Schedule Review (2013) for Toronto Paramedic Services (Formally Toronto EMS) by Circadian Technologies Inc. Record search Jan. 1, 2012 to Jan. 1, 2014.
Tokens prepared for LDA: ['result', 'suggestion', 'follow', 'circadian', 'shift', 'schedule', 'review', 'toronto', 'paramedic', 'services', 'formally', 'toronto', 'circadian', 'technology', 'record', 'search', 'january', 'january']
Original Request: 1. Copies of any reports or inspections relating to 311 service request No. 3402930; 3426640 & 3445235 with respect to {}. 2. A copy of Toronto Water file for the property along with water table reports, studies etc.
Tokens prepared for LDA: ['copy', 'report', 'inspection', 'relate', 'service', 'request', '3402930', '3426640', '3445235', 'respect', 'toronto', 'water', 'property', 'water', 'table', 'report', 'study']
Original Request: 1. Copies of any reports or inspections relating to 311 service request No. 3402930; 3426640 & 3445235 with respect to {}. 2. A copy of Toronto Water file for the property along with water table reports, studies etc.
Tokens prepared for LDA: ['copy', 'report', 'inspection', 'relate', 'service', 'request', '3402930', '3426640', '3445235', 'respect', 'toronto', 'water', 'property', 'water', 'table', 'report', 'study']
Original Request: Copies of all e-mail records of offers made by staff of the City's Legal Services Division as part of the Global Resolution Process, whereby settlement offers are made to individuals/companies for parking ticket charges. Record search Dec. 1-31, 2015.
Tokens prepared for LDA: ['copy', 'record', 'offer', 'staff', 'legal', 'services', 'division', 'global', 'resolution', 'process', 'settlement', 'offer', 'individual', 'company', 'ticket', 'charge', 'record', 'search', 'december']
Original Request: Record of any notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements with respect to the cutting of grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: The name and contact information for the builder on permit application for {}. Record search from Oct. 15, 2015 to Feb. 2, 2016.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'permit', 'application', 'record', 'search', 'october', 'february']
Original Request: Record of structural building complaint in relation to {} including, those documents identifying the origin of the complaint. Record search from 2010.
Tokens prepared for LDA: ['record', 'structural', 'build', 'complaint', 'relation', 'include', 'document', 'identify', 'origin', 'complaint', 'record', 'search']
Original Request: In electronic format: all records, including but not limited to e-mails, reports, notes, minutes and media lines related to baboons and the Canadian Press' baboon story from Toronto Zoo staff, including those communications from etc.
Tokens prepared for LDA: ['electronic', 'format', 'record', 'include', 'limit', 'report', 'minute', 'medium', 'relate', 'baboon', 'canadian', 'press', 'baboon', 'story', 'toronto', 'staff', 'include', 'communication']
Original Request: Record of all complaints against {} including inspection notes and records following any visit by City staff. Complete copies of files held in relation to the property from 311, Toronto Fire, Municipal Licensing & Standards etc.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'inspection', 'record', 'follow', 'visit', 'staff', 'complete', 'relation', 'property', 'toronto', 'municipal', 'license', 'standard']
Original Request: Actual amount of funds allocated for the Toronto Community Housing Corporation's budget spent in 2015. Record search from Jan. 1, 2015 to Aug. 2, 2016.
Tokens prepared for LDA: ['actual', 'allocate', 'toronto', 'community', 'housing', 'corporation', 'budget', 'spend', 'record', 'search', 'january', 'august']
Original Request: A copy of water service records for {} specifically those which relate to sharing of water lines with {}.
Tokens prepared for LDA: ['water', 'service', 'record', 'specifically', 'relate', 'share', 'water']
Original Request: Copies of any investigative/inspections notes in relation to Invictus Internet Café at 250 Sheppard Ave. E., including any police investigations into any illegal activity at said address. Record search from Oct. 13, 2015 to Feb. 8, 2016.
Tokens prepared for LDA: ['copy', 'investigative', 'inspection', 'relation', 'invictus', 'internet', 'sheppard', 'include', 'police', 'investigation', 'illegal', 'activity', 'address', 'record', 'search', 'october', 'february']
Original Request: Copies of minor variance files: A239/03NY, dated Dec. 16, 2003 & A81/13EYK, dated Mar. 7, 2013; in relation to properties located at {}; {} and {}.
Tokens prepared for LDA: ['copy', 'minor', 'variance', 'a239/03ny', 'december', 'a81/13eyk', 'march', 'relation', 'property', 'locate']
Original Request: Record of all onsite visits by Toronto Fire and Toronto Water staff to {} including inspection notes and reports from 2014 to 2015.
Tokens prepared for LDA: ['record', 'onsite', 'visit', 'toronto', 'toronto', 'water', 'staff', 'include', 'inspection', 'report']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, fences, property standards, work orders, deficiency notices, violations etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice', 'violation']
Original Request: A copy of PFR file in relation to application to injure an Oak tree on the property of Toronto Hunt Club Golf Course at 1355 Kingston Rd., including inspection, application and permit documents. Record search from 2015 to 2016.
Tokens prepared for LDA: ['relation', 'application', 'injure', 'property', 'toronto', 'course', 'kingston', 'include', 'inspection', 'application', 'permit', 'document', 'record', 'search']
Original Request: All the building records related to {}, all historical information on this property from the time it was built in 1926; documents and records related to the permit application for renovation project (Oct/Nov'15); inspection report etc.
Tokens prepared for LDA: ['build', 'record', 'relate', 'historical', 'information', 'property', 'build', 'document', 'record', 'relate', 'permit', 'application', 'renovation', 'project', "nov'15", 'inspection', 'report']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Copies of orders to comply, issued against property located at {} on issues concerning: a tree on the property (2016); the retrofitting of an illegal apartment; the adherence of City codes as they relate to garage gutters etc.
Tokens prepared for LDA: ['copy', 'order', 'comply', 'issue', 'property', 'locate', 'issue', 'concern', 'property', 'retrofit', 'illegal', 'apartment', 'adherence', 'relate', 'garage', 'gutter']
Original Request: Copies of all building records for {} from the time of construction to present.
Tokens prepared for LDA: ['copy', 'build', 'record', 'construction', 'present']
Original Request: Copies of the following building documents for {}: blue prints; building permits, drawings and zoning review documents. Record search from Jan. 1, 2015 to Dec. 30, 2015.
Tokens prepared for LDA: ['copy', 'follow', 'build', 'document', 'print', 'build', 'permit', 'drawing', 'review', 'document', 'record', 'search', 'january', 'december']
Original Request: A copy of Toronto Water record confirming the changing of water lines from street level to house at {} on Oct. 18, 2006.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'confirm', 'change', 'water', 'street', 'level', 'house', 'october']
Original Request: Any and all records pertaining to a Toronto Fire Inspection of {} from Jan. 1, 2007 to Mar. 1, 2016.
Tokens prepared for LDA: ['record', 'pertain', 'toronto', 'inspection', 'january', 'march']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) etc.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding']
Original Request: Record of any and all complaints (communicated by e-mail, 311 submissions, written submissions or any other method) about temporary signs (specifically mobile signs) rented by, Magnetsigns or Magnetsigns GTA (legal name Desian Holdings Inc.) in Toronto.
Tokens prepared for LDA: ['record', 'complaint', 'communicate', 'submission', 'write', 'submission', 'method', 'temporary', 'specifically', 'mobile', 'magnetsigns', 'magnetsigns', 'legal', 'desian', 'holding', 'toronto']
Original Request: Record of complaints made by {} and all other information to investigation at {} against the rental company RPMS, and on issues regarding balcony drainage, temperature, the presence of pests etc.
Tokens prepared for LDA: ['record', 'complaint', 'information', 'investigation', 'rental', 'company', 'issue', 'regard', 'balcony', 'drainage', 'temperature', 'presence']
Original Request: In reference to e-mail by {}, dated Nov. 10, 2014 in which she states the owners of {} are in possession of a copy of their property survey; requested are: any records and/or documents which support this claim.
Tokens prepared for LDA: ['reference', 'november', 'state', 'owner', 'possession', 'property', 'survey', 'request', 'record', 'and/or', 'document', 'support', 'claim']
Original Request: Copies of e-mails, briefing notes, or other documents mentioning "Spotify" or "playlist" that have been prepared, received, or sent by the following individuals: John Tory, Dee Dee Heywood, Christopher Eby, Vic Gupta, Amara Nwogu, Sophia Arvanitis etc.
Tokens prepared for LDA: ['copy', 'brief', 'document', 'mention', 'spotify', 'playlist', 'prepare', 'receive', 'follow', 'individual', 'heywood', 'christopher', 'gupta', 'amara', 'nwogu', 'sophia', 'arvanitis']
Original Request: All documents pertaining to {}, including but not limited to inspection and investigation notes, phone records, reports, arborist reports, order, surveys site plans, photographs, application, feedback comments, work or stop-work orders etc.
Tokens prepared for LDA: ['document', 'pertain', 'include', 'limit', 'inspection', 'investigation', 'phone', 'record', 'report', 'arborist', 'report', 'order', 'survey', 'photograph', 'application', 'feedback', 'comment', 'order']
Original Request: Copies of documents and e-mails from lobbyist Michael Westcott of Crestview Strategy with Councillors' office staff and the Mayor's Office relating to Coca Cola Refreshments. Record search from Dec. 1, 2014 to Feb. 10, 2016.
Tokens prepared for LDA: ['copy', 'document', 'lobbyist', 'michael', 'westcott', 'crestview', 'strategy', 'councillor', 'office', 'staff', 'mayor', 'office', 'relate', 'refreshment', 'record', 'search', 'december', 'february']
Original Request: Copies of documents and e-mails from lobbyist Michael Westcott of Crestview Strategy with Councillors' office staff and the Mayor's Office relating to Music Canada. Record search from Oct. 1, 2014 to Feb. 10, 2016.
Tokens prepared for LDA: ['copy', 'document', 'lobbyist', 'michael', 'westcott', 'crestview', 'strategy', 'councillor', 'office', 'staff', 'mayor', 'office', 'relate', 'music', 'canada', 'record', 'search', 'october', 'february']
Original Request: A full detailed copy of inspectors' report from Public Health inspectors David Tucci and Anna Maria Fazzone for {} following a complaint of operating a catering company. Inspection was done on Feb. 12, 2016.
Tokens prepared for LDA: ['inspector', 'report', 'public', 'health', 'inspector', 'david', 'tucci', 'maria', 'fazzone', 'follow', 'complaint', 'operate', 'cater', 'company', 'inspection', 'february']
Original Request: Information on any reports of asbestos found at {}, from Jan.2015 to Feb. 2016, under permit number 15-140857.
Tokens prepared for LDA: ['information', 'report', 'asbestos', 'jan.2015', 'february', 'permit', '140857']
Original Request: A copy of any 'currently in effect', lease/land-use/easement/right-of-way agreements for lands in Harbour Square East Park. Specifically, the underground driveway, surface parking lot serving {} on Queen's Quay W., etc.
Tokens prepared for LDA: ['currently', 'effect', 'lease', 'easement', 'right', 'agreement', 'harbour', 'square', 'specifically', 'underground', 'driveway', 'surface', 'serve', 'queen']
Original Request: A list of all building permits associated with the {} including the name of the applicant and construction company on the permit.
Tokens prepared for LDA: ['build', 'permit', 'associate', 'include', 'applicant', 'construction', 'company', 'permit']
Original Request: A list of all building permits associated with the {} including the name of the applicant and construction company on the permit.
Tokens prepared for LDA: ['build', 'permit', 'associate', 'include', 'applicant', 'construction', 'company', 'permit']
Original Request: Motor Vehicle Collisions in Toronto from Jan. 1, 2014 to Dec. 31, 2015.
Tokens prepared for LDA: ['motor', 'vehicle', 'collision', 'toronto', 'january', 'december']
Original Request: A copy of any complaint records relating to the maintenance of the sidewalks on Musgrave St. from Sept. 24, 2011 to Nov. 1, 2014. The complaints are for injury complaints and complaints of danger or public safety concerns i.e. maintenance requests.
Tokens prepared for LDA: ['complaint', 'record', 'relate', 'maintenance', 'sidewalk', 'musgrave', 'september', 'november', 'complaint', 'injury', 'complaint', 'complaint', 'danger', 'public', 'safety', 'concern', 'maintenance', 'request']
Original Request: Copies of all records, documents and reports of water main break at {} on Nov. 21, 2015.
Tokens prepared for LDA: ['copy', 'record', 'document', 'report', 'water', 'break', 'november']
Original Request: A copy of all records, design drawing or as constructed drawing for the intersection of Bay St. and Front St., marked as PX0059 in which all City of Toronto assets are identified i.e. traffic light, poles etc., which were in effect as of Aug. 13, 2013.
Tokens prepared for LDA: ['record', 'design', 'construct', 'intersection', 'px0059', 'toronto', 'asset', 'identify', 'traffic', 'light', 'effect', 'august']
Original Request: A copy of Public Health inspection report in relation to investigation conducted at {} on Nov. 16, 2015.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'relation', 'investigation', 'conduct', 'november']
Original Request: A copy of ML&S file in relation to slip and fall incident involving {} who fell at {.}. Attending officer Calvin Brown, case no. 373-1098.
Tokens prepared for LDA: ['relation', 'incident', 'involve', 'attending', 'officer', 'calvin', 'brown']
Original Request: Copies of all permits issued in relation to construction at {} under permit #55643003 issued for the period Nov. 22, 2011 to Nov. 22, 2013. Including, completed inspection records, and any orders issued against the property for deficiencies
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'relation', 'construction', 'permit', '55643003', 'issue', 'period', 'november', 'november', 'include', 'complete', 'inspection', 'record', 'order', 'issue', 'property', 'deficiency']
Original Request: All video surveillance footage from Oakdale Community Centre located at 350 Grandravine Drive, on Aug. 22, 2015.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'oakdale', 'community', 'centre', 'locate', 'grandravine', 'drive', 'august']
Original Request: A copy of building permit # 14-182378 BLD 00 NH; structural engineer report on the original foundation; any permits relating to the usage of, or work on the original foundation for {} Scarborough.
Tokens prepared for LDA: ['build', 'permit', '182378', 'structural', 'engineer', 'report', 'original', 'foundation', 'permit', 'relate', 'usage', 'original', 'foundation', 'scarborough']
Original Request: All records including, but not limited to, e-mail, Blackberry Messenger Messages (BBM), Blackberry PIN messages, text messages, transcriptions of telephone conversations, meeting minutes to and/or from Karen Stintz, TTC CEO Andy Byford.
Tokens prepared for LDA: ['record', 'include', 'limit', 'blackberry', 'messenger', 'message', 'blackberry', 'message', 'message', 'transcription', 'telephone', 'conversation', 'minute', 'and/or', 'karen', 'stintz', 'byford']
Original Request: Any and all correspondence, letters and e-mails received by the City regarding building permit and demolition permit application in relation to {}; specifically letter from {} to the City dated Jan. 21, 2016 etc.
Tokens prepared for LDA: ['correspondence', 'letter', 'receive', 'regard', 'build', 'permit', 'demolition', 'permit', 'application', 'relation', 'specifically', 'letter', 'january']
Original Request: A complete copy of building file for {} from Apr. 3, 2010 to Dec. 31, 2012.
Tokens prepared for LDA: ['complete', 'build', 'april', 'december']
Original Request: The following building documents for {} are requested: - Copies of Certificates of Occupancy - Copies of any open/active zoning, building and fire violations - Copies of any conditional use permits/variances/special exceptions/resolutio
Tokens prepared for LDA: ['follow', 'build', 'document', 'request', 'copy', 'certificate', 'occupancy', 'copy', 'active', 'build', 'violation', 'copy', 'conditional', 'permit', 'variance', 'special', 'exception', 'resolutio']
Original Request: The following building documents for {} are requested: - Copies of Certificates of Occupancy - Copies of any open/active zoning, building and fire violations - Copies of any conditional use permits/variances/special exceptions etc.
Tokens prepared for LDA: ['follow', 'build', 'document', 'request', 'copy', 'certificate', 'occupancy', 'copy', 'active', 'build', 'violation', 'copy', 'conditional', 'permit', 'variance', 'special', 'exception']
Original Request: A list of any website addresses/urls that were registered by the City of Toronto from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['website', 'address', 'register', 'toronto', 'january', 'present']
Original Request: Site Plan Agreement and NOAC (Notice of Approval Conditions) and related documents and correspondence as it relates to the rezoning and/or condo development at 1960-1962 Queen Street East. Record search from Jan. 1, 2011 to present.
Tokens prepared for LDA: ['agreement', 'notice', 'approval', 'conditions', 'relate', 'document', 'correspondence', 'relate', 'rezoning', 'and/or', 'condo', 'development', 'queen', 'street', 'record', 'search', 'january', 'present']
Original Request: All documents relating to Public Health file # 117413 for {.} including, any orders, inspection reports, referrals to any other governmental agency, photos and follow up reports; in relation to asbestos investigation.
Tokens prepared for LDA: ['document', 'relate', 'public', 'health', '117413', 'include', 'order', 'inspection', 'report', 'referral', 'governmental', 'agency', 'photo', 'follow', 'report', 'relation', 'asbestos', 'investigation']
Original Request: A copy of building inspection notes with respect to building permit 14190801 BLD for {}. Record search from Sep. 1, 2014 to Jan. 2016.
Tokens prepared for LDA: ['build', 'inspection', 'respect', 'build', 'permit', '14190801', 'record', 'search', 'september', 'january']
Original Request: All information regarding any records since January 2009 regarding animals at Toronto Zoo that have tested either reactive or positive for tuberculosis or salmonellosis, including but not limited to necropsy reports.
Tokens prepared for LDA: ['information', 'regard', 'record', 'january', 'regard', 'animal', 'toronto', 'reactive', 'positive', 'tuberculosis', 'salmonellosis', 'include', 'limit', 'necropsy', 'report']
Original Request: A copy of consent and minor variance applications for {}.
Tokens prepared for LDA: ['consent', 'minor', 'variance', 'application']
Original Request: Copies of Toronto Water reports related to flooding at {} on Feb. 19, 2016 including 311 records for ref. #3848529.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'report', 'relate', 'flood', 'february', 'include', 'record', '3848529']
Original Request: Copies of building and heritage files related to {} from Jan. 2010 to present.
Tokens prepared for LDA: ['copy', 'build', 'heritage', 'relate', 'january', 'present']
Original Request: Toronto Paramedic Service data on ambulance response times, department overtime budgets and missed lunch variance for the last 8 quarters if possible or if reported annually for the last two years. Records previously filed and released FOI AG-2015-01412.
Tokens prepared for LDA: ['toronto', 'paramedic', 'service', 'datum', 'ambulance', 'response', 'department', 'overtime', 'budget', 'lunch', 'variance', 'quarter', 'possible', 'report', 'annually', 'record', 'previously', 'release', 'ag-2015', '01412']
Original Request: A copy of incident report in relation to near-drowning incident at Main Square Community Centre pool involving: {} while receiving lessons.
Tokens prepared for LDA: ['incident', 'report', 'relation', 'drown', 'incident', 'square', 'community', 'centre', 'involve', 'receive', 'lesson']
Original Request: A copy of ML&S inspection report following the inspection of food trucks on King St. W., in front of David Pacaut Square. Record search May 1, 2015 to Aug. 1, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'inspection', 'truck', 'david', 'pacaut', 'square', 'record', 'search', 'august']
Original Request: Record of the number of dog bite reports made to Toronto Public Health and Toronto Animal Services by members of the public, TPS, hospitals, veterinarians and 311; for injuries sustained by persons and other animals.
Tokens prepared for LDA: ['record', 'report', 'toronto', 'public', 'health', 'toronto', 'animal', 'services', 'member', 'public', 'hospital', 'veterinarian', 'injury', 'sustain', 'person', 'animal']
Original Request: Copies of communication to, from and within the Mayor's Office, including but not limited to e-mails, text messages, memos, briefing notes about Kanye West. Record search from Jul. 14, 2015 to Jul. 16, 2015.
Tokens prepared for LDA: ['copy', 'communication', 'mayor', 'office', 'include', 'limit', 'message', 'brief', 'kanye', 'record', 'search']
Original Request: All e-mails to and from Mario Crognale, Director of District Operations, Toronto Water and/or Ministry of Environment and Climate Change re: a spill of pollution in the Humber River. Incident was attended by Toronto Fire and investigated by Toronto Water.
Tokens prepared for LDA: ['mario', 'crognale', 'director', 'district', 'operations', 'toronto', 'water', 'and/or', 'ministry', 'environment', 'climate', 'change', 'spill', 'pollution', 'humber', 'river', 'incident', 'attend', 'toronto', 'investigate', 'toronto', 'water']
Original Request: For the period 2004-01-01 to 2014-12-18: - average monthly and/or quarterly Toronto-wide total capacity in Licensed Child Care Centres categorized by age group (infant, toddler, preschool and school-aged) etc.
Tokens prepared for LDA: ['period', 'average', 'monthly', 'and/or', 'quarterly', 'toronto', 'total', 'capacity', 'license', 'child', 'centre', 'categorize', 'group', 'infant', 'toddler', 'preschool', 'school']
Original Request: A complete copy of Toronto Water file in relation to water main shut off requests and water line maintenance for {} This includes but is not limited to designs/drawings/repairs/ notices/ work orders/ curb box documentation / maintenance etc.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'relation', 'water', 'request', 'water', 'maintenance', 'include', 'limit', 'design', 'drawing', 'repairs/', 'notices/', 'orders/', 'documentation', 'maintenance']
Original Request: All document related to newly installed traffic light at the intersection of King St. W., and Atlantic Ave., on Nov. 3, 2015. Records should include work orders, scheduling notices and notices to the TTC. Record search from Sep. 1, 2105 to Dec. 31, 2015.
Tokens prepared for LDA: ['document', 'relate', 'newly', 'install', 'traffic', 'light', 'intersection', 'atlantic', 'november', 'record', 'include', 'order', 'schedule', 'notice', 'notice', 'record', 'search', 'september', 'december']
Original Request: Copies of ML&S, Toronto Fire and Toronto Building inspection reports in relation to upper and basement apartments at {} - City's Standards Officer, Bruce Quick Also, a copy of ML&S complaint record.
Tokens prepared for LDA: ['copy', 'toronto', 'toronto', 'building', 'inspection', 'report', 'relation', 'upper', 'basement', 'apartment', 'standard', 'officer', 'bruce', 'quick', 'complaint', 'record']
Original Request: The identity of complainant linked to notice of violation issued against property located at {} on Feb. 23, 2016.
Tokens prepared for LDA: ['identity', 'complainant', 'notice', 'violation', 'issue', 'property', 'locate', 'february']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A complete copy of all ML&S investigative reports and inspection records regarding construction activity at {} from Jul. 27, 2015 to present.
Tokens prepared for LDA: ['complete', 'investigative', 'report', 'inspection', 'record', 'regard', 'construction', 'activity', 'present']
Original Request: Record of the amount of taxes levied for property at {} at the time is still was in the ownership of the builder BSAR (Beverly Ltd.). Permit date: 2011 Final Closing: Dec. 23, 2105
Tokens prepared for LDA: ['record', 'taxis', 'property', 'ownership', 'builder', 'beverly', 'permit', 'final', 'closing', 'december']
Original Request: A copy of building permit 11-127382 BLD HVA for {}.
Tokens prepared for LDA: ['build', 'permit', '127382']
Original Request: A copy of Toronto Water document indicating the current size, composition and other details for water supply pipe to property located at {}.
Tokens prepared for LDA: ['toronto', 'water', 'document', 'indicate', 'current', 'composition', 'water', 'supply', 'property', 'locate']
Original Request: All records related to the Mayor's letter dated Dec. 17, 2015, concerning the CRTC decision regarding wholesale access of fibre networks and Bell's cabinet appeal, of that decision; including letters, memorandum, presentations, studies, e-mails etc.
Tokens prepared for LDA: ['record', 'relate', 'mayor', 'letter', 'december', 'concern', 'decision', 'regard', 'wholesale', 'access', 'fibre', 'network', 'cabinet', 'appeal', 'decision', 'include', 'letter', 'memorandum', 'presentation', 'study']
Original Request: Record indicating the construction company/companies involved in construction work at the intersection of Richmond St. and Bay St., north of Richmond St., west on Bay St., any time prior to or leading up to June and July of 2015.
Tokens prepared for LDA: ['record', 'indicate', 'construction', 'company', 'company', 'involve', 'construction', 'intersection', 'richmond', 'north', 'richmond', 'prior']
Original Request: Copies of permit records, inspection reports and work orders for {} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'permit', 'record', 'inspection', 'report', 'order', 'possible', 'present']
Original Request: Copies of permits and building photos records, inspection reports and work orders for related to 341 Bloor St. W. - Kochdale College, from Jan. 1, 1960 to Jan. 1, 1980.
Tokens prepared for LDA: ['copy', 'permit', 'build', 'photo', 'record', 'inspection', 'report', 'order', 'relate', 'bloor', 'kochdale', 'college', 'january', 'january']
Original Request: Copies of Toronto Fire notes and photos taken at the residence of {} in relation to order issued to 1200-1202 York Mills Rd. Ltd., on Feb. 17, 2016.
Tokens prepared for LDA: ['copy', 'toronto', 'photo', 'residence', 'relation', 'order', 'issue', 'mills', 'february']
Original Request: A copy of building permit application for {} to build a 2 storey house, dated sometime around Sep. 2013 - Jan. 2014.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'storey', 'house', 'september', 'january']
Original Request: A copy of accident report involving {} while on a school snowboarding trip at the Centennial Park.
Tokens prepared for LDA: ['accident', 'report', 'involve', 'school', 'snowboarding', 'centennial']
Original Request: All internal communications, including e-mails and memos, sent to and received by City Manager Peter Wallace's office related to alleged harassment of staff or complaints from staff about Councillor Jim Karygiannis.
Tokens prepared for LDA: ['internal', 'communication', 'include', 'receive', 'manager', 'peter', 'wallace', 'office', 'relate', 'allege', 'harassment', 'staff', 'complaint', 'staff', 'councillor', 'karygiannis']
Original Request: Any and all zoning, building applications, plans, surveys, revision documents etc. for {} including correspondence between the owner of the property and City divisions (zoning, planning urban forestry and property standards).
Tokens prepared for LDA: ['build', 'application', 'survey', 'revision', 'document', 'include', 'correspondence', 'owner', 'property', 'division', 'urban', 'forestry', 'property', 'standard']
Original Request: A copy of zoning document: A-39a which details zoning transfer transaction between a buyer and seller.
Tokens prepared for LDA: ['document', 'a-39a', 'transfer', 'transaction', 'buyer', 'seller']
Original Request: Record of any existing orders issued to {} to: any investigations with respect to common areas, orders to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'investigation', 'respect', 'common', 'order', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: Records related to {} detailing: 1) Any information related to sewer line on both city and private property and any service calls related to sewer back-ups or any sewer related issues, any notes, comments or observations etc.
Tokens prepared for LDA: ['record', 'relate', 'information', 'relate', 'sewer', 'private', 'property', 'service', 'relate', 'sewer', 'sewer', 'relate', 'issue', 'comment', 'observation']
Original Request: A complete copy of building file associated with renovation permit #0919908 ILD, for {.} the identity and contact information for the contractor/renovation company Architalcan Design Inc. Record search from 2007 to 2011.
Tokens prepared for LDA: ['complete', 'build', 'associate', 'renovation', 'permit', '0919908', 'identity', 'contact', 'information', 'contractor', 'renovation', 'company', 'architalcan', 'design', 'record', 'search']
Original Request: All building permits and associated 'party' (shared) wall permits for semi-detached property at {}.
Tokens prepared for LDA: ['build', 'permit', 'associate', 'party', 'share', 'permit', 'detach', 'property']
Original Request: A complete copy of Animal Services and Public Health files pertaining to dog bite incident involving {} which occurred on Nov. 4, 2015.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'public', 'health', 'pertain', 'incident', 'involve', 'occur', 'november']
Original Request: A copy of orders issued to {} dated 02/23/2016-inspector Charlene Tait and replacement order with an extension to Apr. 25, 2016 which addresses washroom repairs. Ref. # folder 16115617 PRS 00 1V.
Tokens prepared for LDA: ['order', 'issue', '02/23/2016-inspector', 'charlene', 'replacement', 'order', 'extension', 'april', 'address', 'washroom', 'repair', 'folder', '16115617']
Original Request: A copy of vibration report, staff circulation comments and any other reports/comments from Toronto Hydro and Hydro One in relation to vibration activity at {}.
Tokens prepared for LDA: ['vibration', 'report', 'staff', 'circulation', 'comment', 'report', 'comment', 'toronto', 'hydro', 'hydro', 'relation', 'vibration', 'activity']
Original Request: A copy dog bite investigative files in relation to incident which took place on Feb. 5, 2016 at Sunnybrook Park. Including copies of all documents provided by {} and the dog owner in relation to this incident.
Tokens prepared for LDA: ['investigative', 'relation', 'incident', 'place', 'february', 'sunnybrook', 'include', 'document', 'provide', 'owner', 'relation', 'incident']
Original Request: Copies of all records of complaint or those related to any incidents, occurring at the Jean Augustine Park from May 1, 2003 to November 31, 2014.
Tokens prepared for LDA: ['copy', 'record', 'complaint', 'relate', 'incident', 'occur', 'augustine', 'november']
Original Request: A copy of ML&S investigative report, field notes etc., following dog bite incident involving {} who was attacked on Jan. 9, 2016 at approximately 5:30 p.m.
Tokens prepared for LDA: ['investigative', 'report', 'field', 'follow', 'incident', 'involve', 'attack', 'january', 'approximately']
Original Request: All expense reports filed by Toronto Parking Authority employees or board members that deal with trips to various conferences. Specifically, the expense reports from the 3 2014 conferences: International Parking Institute (Dallas, Texas) June 1-4, 2014.
Tokens prepared for LDA: ['expense', 'report', 'toronto', 'parking', 'authority', 'employee', 'board', 'member', 'various', 'conference', 'specifically', 'expense', 'report', 'conference', 'international', 'parking', 'institute', 'dallas', 'texas']
Original Request: Expense reports from Toronto Parking Authority senior management members: Lorne Persiko (President); Michael Ford (Vice President, Finance & Administration and CFO); Ian Mahar (Vice President Strategic Planing & IT); Remy Iamonaco (Vice President)
Tokens prepared for LDA: ['expense', 'report', 'toronto', 'parking', 'authority', 'senior', 'management', 'member', 'lorne', 'persiko', 'president', 'michael', 'president', 'finance', 'administration', 'mahar', 'president', 'strategic', 'plane', 'iamonaco', 'president']
Original Request: A copy of all purchase orders made by the Toronto Parking Authority to Mezzanotte Communications as well as a description of the services provided. Record search from Jan. 1, 2014 to Jan 3, 2016.
Tokens prepared for LDA: ['purchase', 'order', 'toronto', 'parking', 'authority', 'mezzanotte', 'communications', 'description', 'service', 'provide', 'record', 'search', 'january']
Original Request: Names and salaries of the employees working for the Toronto Parking Authority making over $100,000 per year. Record search is for the last fiscal year.
Tokens prepared for LDA: ['names', 'salary', 'employee', 'toronto', 'parking', 'authority', '100,000', 'record', 'search', 'fiscal']
Original Request: A copy of all detail pricing reports for contracts completed for the Toronto Parking Authority for the last two years Jan. 1, 2014 to Jan. 3, 2016.
Tokens prepared for LDA: ['price', 'report', 'contract', 'complete', 'toronto', 'parking', 'authority', 'january', 'january']
Original Request: Copies of the following building documents in relation to {}, Old Mill Toronto: 1. All documents associated with permit # 13-224582 BLD 2. Engineers report dated May 2010 from McClymont & Rank Engineers etc.
Tokens prepared for LDA: ['copy', 'follow', 'build', 'document', 'relation', 'toronto', 'document', 'associate', 'permit', '224582', 'engineer', 'report', 'mcclymont', 'engineer']
Original Request: A copy of sewer inspection report in relation to complaints of dumping against {}. Record search June 2015 to present.
Tokens prepared for LDA: ['sewer', 'inspection', 'report', 'relation', 'complaint', 'record', 'search', 'present']
Original Request: Records relating to renovations {} including any orders to comply or notices of violation, permits, communications, notes, etc. Record search from Jan. 1, 2011 to Mar. 2016.
Tokens prepared for LDA: ['record', 'relate', 'renovation', 'include', 'order', 'comply', 'notice', 'violation', 'permit', 'communication', 'record', 'search', 'january', 'march']
Original Request: Copies of building records for {} from 2009 to present.
Tokens prepared for LDA: ['copy', 'build', 'record', 'present']
Original Request: Copies of all building permits issued to {} from 2012 to Mar. 1, 2016.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'march']
Original Request: Dog bite incident report for ref. # A16-006824 including dog owner's contact information, last name, address, phone number of offending dog. Incident occurred on Feb. 20, 2016 at corner of Dupont and Symington.
Tokens prepared for LDA: ['incident', 'report', '006824', 'include', 'owner', 'contact', 'information', 'address', 'phone', 'offend', 'incident', 'occur', 'february', 'corner', 'dupont', 'symington']
Original Request: Record showing the name of the designated owner for business located at 6311 Yonge St., Unit #1 - Number #1 Spa, including the type of business license issued.
Tokens prepared for LDA: ['record', 'designate', 'owner', 'business', 'locate', 'yonge', 'number', 'include', 'business', 'license', 'issue']
Original Request: A copy of ML&S investigative report, field notes, etc., following dog bite incident involving {} - the victim and a grey mixed breed Poodle, on Sep. 21, 2015 at {}., including any similar historical records on the dog and it's owner.
Tokens prepared for LDA: ['investigative', 'report', 'field', 'follow', 'incident', 'involve', 'victim', 'breed', 'poodle', 'september', 'include', 'similar', 'historical', 'record', 'owner']
Original Request: Copies of building permit drawings for {} from 1950 to date.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'drawing']
Original Request: A copy of all records outlining agreements between the Toronto Parking Authority and Schlumberger Industries Inc., now named Parkeon, from Jan. 1, 2000 to Sept. 3, 2016.
Tokens prepared for LDA: ['record', 'outline', 'agreement', 'toronto', 'parking', 'authority', 'schlumberger', 'industry', 'parkeon', 'january', 'september']
Original Request: All records outlining the details of agreements made between the Toronto Parking Authority and Precise Parklink Inc., from Jan. 1, 2000 to Sept. 3, 2016.
Tokens prepared for LDA: ['record', 'outline', 'agreement', 'toronto', 'parking', 'authority', 'precise', 'parklink', 'january', 'september']
Original Request: Copies of all agreements between Precise ParkLink Inc. and Exhibition Place from Jan. 1, 2004 to March 15, 2016. Please include copies of communications between Exhibition Place executives, members of the board of directors and Precise ParkLink employees
Tokens prepared for LDA: ['copy', 'agreement', 'precise', 'parklink', 'exhibition', 'place', 'january', 'march', 'include', 'communication', 'exhibition', 'place', 'executive', 'member', 'board', 'director', 'precise', 'parklink', 'employee']
Original Request: A copy of fire prevention report for tenanted apartment at {.} on Sep. 10, 2015, including the notes of Station # 346.
Tokens prepared for LDA: ['prevention', 'report', 'tenant', 'apartment', 'september', 'include', 'station']
Original Request: A copy of the current contract for trackless train operated in High Park.
Tokens prepared for LDA: ['current', 'contract', 'trackless', 'train', 'operate']
Original Request: A copy of the current contract for trackless train operated in High Park.
Tokens prepared for LDA: ['current', 'contract', 'trackless', 'train', 'operate']
Original Request: In excel format: All data shared by Airbnb with City of Toronto Municipal Licensing and Standards. Data used for upcoming report on short-term rental regulation.
Tokens prepared for LDA: ['excel', 'format', 'datum', 'share', 'airbnb', 'toronto', 'municipal', 'license', 'standard', 'upcoming', 'report', 'short', 'rental', 'regulation']
Original Request: Any records on file that capture the installation of transportation signs on Bond Ave. located in North York (Leslie St. & Lawrence Ave). More specifically, the record and confirmation of a 40 km/h traffic sign was re-positioned further away etc.
Tokens prepared for LDA: ['record', 'capture', 'installation', 'transportation', 'locate', 'north', 'leslie', 'lawrence', 'specifically', 'record', 'confirmation', 'traffic', 'position']
Original Request: 1. A copy of the Parks Forestry and Recreation 'cost element guide' used by staff to input data 2. A copy of a glossary of all relevant abbreviations used in the SAP, that would prevent most people (including city Councillors) who read it, from etc.
Tokens prepared for LDA: ['parks', 'forestry', 'recreation', 'element', 'guide', 'staff', 'input', 'datum', 'glossary', 'relevant', 'abbreviation', 'prevent', 'people', 'include', 'councillor']
Original Request: A copy of building permits issued to {} for the installation of a pool on the property. Record of the identity of any other party who has enquired with regards to the property. Record search from May 21, 1985 to Jun. 4, 2017.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'installation', 'property', 'record', 'identity', 'party', 'enquire', 'regard', 'property', 'record', 'search']
Original Request: Record of any license which may permit {} to conduct renovations on a dwelling, including but not limited to: plumbing, electrical, drywall; renovator license; certificate of apprenticeship from Ontario; certificate of qualifications etc.
Tokens prepared for LDA: ['record', 'license', 'permit', 'conduct', 'renovation', 'dwell', 'include', 'limit', 'plumb', 'electrical', 'drywall', 'renovator', 'license', 'certificate', 'apprenticeship', 'ontario', 'certificate', 'qualification']
Original Request: Record of any complaints to animal services regarding {} including those specific to {} of the building. Record search from Feb. 1, 2016 to Jun. 2, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'animal', 'service', 'regard', 'include', 'specific', 'build', 'record', 'search', 'february']
Original Request: Record of all documents associated with Mayor Tory, and all elected officials, and all city of Toronto employees, in regard to participation in the Jerusalem Foundation of Canada's 50th gala on June 5, 2017, held at the Royal Ontario etc.
Tokens prepared for LDA: ['record', 'document', 'associate', 'mayor', 'elect', 'official', 'toronto', 'employee', 'regard', 'participation', 'jerusalem', 'foundation', 'canada', 'royal', 'ontario']
Original Request: A copy of incident report pertaining to slip and fall incident involving {} at the Centennial Olympic Pool on May 1, 2017.
Tokens prepared for LDA: ['incident', 'report', 'pertain', 'incident', 'involve', 'centennial', 'olympic']
Original Request: A copy of fire clearance for {} under permits 99 083799 (C89395) & 98 083524 (B86099). Record search from 1998 to 2008 and 2016.
Tokens prepared for LDA: ['clearance', 'permit', '083799', 'c89395', '083524', 'b86099', 'record', 'search']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: Record of any standard agreements or contracts and procurement documents currently in place with G4S for fiscal years 2014, 2014, 2015, 2016 & 2017.
Tokens prepared for LDA: ['record', 'standard', 'agreement', 'contract', 'procurement', 'document', 'currently', 'place', 'fiscal']
Original Request: Record of any standard agreements or contracts and procurement documents currently in place with Hewlett Packard (HP) a.k.a Hewlett Packard Enterprises (HPE) for fiscal years 2014, 2014, 2015, 2016 & 2017.
Tokens prepared for LDA: ['record', 'standard', 'agreement', 'contract', 'procurement', 'document', 'currently', 'place', 'hewlett', 'packard', 'a.k.a', 'hewlett', 'packard', 'enterprise', 'fiscal']
Original Request: All building records including drawings on file for {} under permit No. 14 245078 BLD 00 NH.
Tokens prepared for LDA: ['build', 'record', 'include', 'drawing', 'permit', '245078']
Original Request: A copy of animal services, ref. #A17-0000660 & TPH, ref. # 17705600400264 records, in relation to dog bite incident involving {} at {} on Jan. 1, 2017.
Tokens prepared for LDA: ['animal', 'service', '0000660', '17705600400264', 'record', 'relation', 'incident', 'involve', 'january']
Original Request: Video recording of Wesburn Manor's 2N Unit re: interaction between two residents in hallway. Footage is from May 18. 2017 between 1745 and 1830.
Tokens prepared for LDA: ['video', 'record', 'wesburn', 'manor', 'interaction', 'resident', 'hallway', 'footage']
Original Request: Any documentation regarding the public/private partnership concerning the development process of the BMO Field, such as but not limited to: - Memorandum of understanding; - Financing agreement; - Development agreement; - Leasing agreement;
Tokens prepared for LDA: ['documentation', 'regard', 'public', 'private', 'partnership', 'concern', 'development', 'process', 'field', 'limit', 'memorandum', 'understand', 'financing', 'agreement', 'development', 'agreement', 'lease', 'agreement']
Original Request: A report from both Public Health and Animal Services relating to a dog bite that occurred on May 11, 2017. Victim was {}. 311 case # is 4611258. Record search from May 11, 2017 to June 7, 2017.
Tokens prepared for LDA: ['report', 'public', 'health', 'animal', 'services', 'relate', 'occur', 'victim', '4611258', 'record', 'search']
Original Request: A report from both Public Health and Animal Services relating to a dog bite that occurred on May 11, 2017. Victim was {}. 311 case # is 4611258. Record search from May 11, 2017 to June 7, 2017.
Tokens prepared for LDA: ['report', 'public', 'health', 'animal', 'services', 'relate', 'occur', 'victim', '4611258', 'record', 'search']
Original Request: Record of all complaints made against {} including the addresses of the complainants. Record search from Jul. 1, 2016 to Jun. 7, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'address', 'complainant', 'record', 'search']
Original Request: Record of all complaints made against {} including the addresses of the complainants. Record search from Jul. 1, 2016 to Jun. 7, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'address', 'complainant', 'record', 'search']
Original Request: Record of all permits issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'possible', 'present']
Original Request: A complete copy of Toronto Fire records for {}. Record search from 1994 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'record', 'record', 'search', 'present']
Original Request: A copy of order to comply issued to {}; 311 ref. # 4577004; MLS ref. # 17 150762 PRS 00 IV.
Tokens prepared for LDA: ['order', 'comply', 'issue', '4577004', '150762']
Original Request: All materials, including but not limited to, letters, e-mails, note, logs, briefs, reports, memoranda, other correspondence, photos and videos, from or to the Toronto Zoo, CanHerp and/or PIJAC (Pet Industry Joint Advisory Council) pertaining to the etc.
Tokens prepared for LDA: ['material', 'include', 'limit', 'letter', 'brief', 'report', 'memorandum', 'correspondence', 'photo', 'video', 'toronto', 'canherp', 'and/or', 'pijac', 'industry', 'joint', 'advisory', 'council', 'pertain']
Original Request: A complete copy of ECS file in relation to CP Rail underpass at Scarlett Rd and St. Clair Ave. W., with respect to injury caused to {} due to falling concrete from the underpass on Nov. 28, 2016.
Tokens prepared for LDA: ['complete', 'relation', 'underpass', 'scarlett', 'clair', 'respect', 'injury', 'cause', 'concrete', 'underpass', 'november']
Original Request: Copies of all documents related to the winning proponent for Call document 3701-17-0218 - Dangerous Tree and Branch Removal including interview notes ad submissions pertaining to the decision of the award.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'proponent', 'document', 'dangerous', 'branch', 'removal', 'include', 'interview', 'submission', 'pertain', 'decision', 'award']
Original Request: A copy of fire inspection report and or orders issued, including a copy of the homeowner's insurance policy and Toronto Public Health records (in relation to post fire assessment) records for {}. Record search from Mar. 19, 2017 to prese
Tokens prepared for LDA: ['inspection', 'report', 'order', 'issue', 'include', 'homeowner', 'insurance', 'policy', 'toronto', 'public', 'health', 'record', 'relation', 'assessment', 'record', 'record', 'search', 'march', 'prese']
Original Request: A copy of fire inspection report and or orders issued, including a copy of the homeowner's insurance policy and Toronto Public Health records (in relation to post fire assessment) records for {}. Record search from Mar. 19, 2017 to present.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'issue', 'include', 'homeowner', 'insurance', 'policy', 'toronto', 'public', 'health', 'record', 'relation', 'assessment', 'record', 'record', 'search', 'march', 'present']
Original Request: All communications sent or received by any City staff member, specifically including but not limited to Brenda Duffley, Barry Budhu and/or Mohammad Kashani, regarding the experience requirements for bidders of Tender Call 37-2017, Contract No. 17EC
Tokens prepared for LDA: ['communication', 'receive', 'staff', 'member', 'specifically', 'include', 'limit', 'brenda', 'duffley', 'barry', 'budhu', 'and/or', 'mohammad', 'kashani', 'regard', 'experience', 'requirement', 'bidder', 'tender', 'contract']
Original Request: Appraisal and/or land valuation report for St. Albans Pumping Station, Etobicoke, (possibly municipally address 30 St. Albans Rd) or any part thereof, and all related and supporting documentation, including but not limited to terms of reference
Tokens prepared for LDA: ['appraisal', 'and/or', 'valuation', 'report', 'albans', 'pump', 'station', 'etobicoke', 'possibly', 'municipally', 'address', 'albans', 'thereof', 'relate', 'support', 'documentation', 'include', 'limit', 'reference']
Original Request: Building permit applications, site plan applications, any other documents signed and submitted to City Planning for {} Scarborough from 2015 to 2017.
Tokens prepared for LDA: ['building', 'permit', 'application', 'application', 'document', 'submit', 'planning', 'scarborough']
Original Request: Copy of report from Toronto Water about clearing the sewer line at {} due to the sewer line blockage on May 25, 2017. Toronto Water ticket #4634063.
Tokens prepared for LDA: ['report', 'toronto', 'water', 'clear', 'sewer', 'sewer', 'blockage', 'toronto', 'water', 'ticket', '4634063']
Original Request: Any city work order issued to the Landlord Rona Property Management for {}.
Tokens prepared for LDA: ['order', 'issue', 'landlord', 'property', 'management']
Original Request: All records of communications between Councillor Michelle Holland and ML&S Office, including phone and written submissions (i.e. letters, text messages relating to complaints filed against {}. Record search from 2013 to present.
Tokens prepared for LDA: ['record', 'communication', 'councillor', 'michelle', 'holland', 'office', 'include', 'phone', 'write', 'submission', 'letter', 'message', 'relate', 'complaint', 'record', 'search', 'present']
Original Request: Copies of inspector' notes associated with open permits for {}: 04 198426 (Basement Plumbing) 04 198426 (Basement Underpinning) 05 127980 (Rear Addition) Record search from Jan. 1, 2004 to Jun. 9, 2017.
Tokens prepared for LDA: ['copy', 'inspector', 'associate', 'permit', '198426', 'basement', 'plumbing', '198426', 'basement', 'underpin', '127980', 'addition', 'record', 'search', 'january']
Original Request: A copy of site plan and associated plan agreement for {} including, a copy of agreement between the developer and the Ministry of Environment and Department of Transportation to install sound barriers as per MOE guidelines.
Tokens prepared for LDA: ['associate', 'agreement', 'include', 'agreement', 'developer', 'ministry', 'environment', 'department', 'transportation', 'install', 'sound', 'barrier', 'guideline']
Original Request: A copy of red light camera stiils at the intersection of Kennedy Rd. & Ellesmere Rd., for the time frame 8:10 pm to 8:20 pm on May 30, 2017. Images should capture collision between a black 2011 Honda Pilot, plate # (plate removed) and a silver Chevrolet minivan.
Tokens prepared for LDA: ['light', 'camera', 'stiils', 'intersection', 'kennedy', 'ellesmere', 'frame', 'image', 'capture', 'collision', 'black', 'honda', 'pilot', 'plate', 'plate', 'remove', 'silver', 'chevrolet', 'minivan']
Original Request: A copy of building records for {.} under file no. 339606 & 307096. Record search from 1990 to 1992.
Tokens prepared for LDA: ['build', 'record', '339606', '307096', 'record', 'search']
Original Request: A copy of permit issued to {} for post fire remediation Record search from Mar. 28, 2010 to Mar. 28, 2011.
Tokens prepared for LDA: ['permit', 'issue', 'remediation', 'record', 'search', 'march', 'march']
Original Request: A copy of Toronto Water records for {.} under ref. # 13232532; in relation to flooding in the basement of the aforementioned property.
Tokens prepared for LDA: ['toronto', 'water', 'record', '13232532', 'relation', 'flood', 'basement', 'aforementioned', 'property']
Original Request: All building records for {} from 2012 to 2016.
Tokens prepared for LDA: ['build', 'record']
Original Request: 1. Data on the sale of taxicab plates from 2012 to 2017, including dates of sale and prices. 2. Record of lease prices of taxicab plates and the date on which those leases were entered into. Record search from 2012 to Jul. 2016.
Tokens prepared for LDA: ['taxicab', 'plate', 'include', 'price', 'record', 'lease', 'price', 'taxicab', 'plate', 'lease', 'enter', 'record', 'search']
Original Request: A copy of permit issued to {.} for the building of a deck on the property. Record search from 1990 to May 2008.
Tokens prepared for LDA: ['permit', 'issue', 'build', 'property', 'record', 'search']
Original Request: A copy of Dec. 20, 2016 call transcript between {} and City staff wherein staff directed him to provide written notice requesting the cessation of water and solid waste services to {}. Ref. ticket # 2046938.
Tokens prepared for LDA: ['december', 'transcript', 'staff', 'staff', 'direct', 'provide', 'write', 'notice', 'request', 'cessation', 'water', 'solid', 'waste', 'service', 'ticket', '2046938']
Original Request: A copy of wait list for on street parking at {} showing the wait positions {} & {}. Record search from Jul. 15, 2017 to Jun. 19, 2017.
Tokens prepared for LDA: ['street', 'position', 'record', 'search']
Original Request: Record of all permits and related documents issued to {}.
Tokens prepared for LDA: ['record', 'permit', 'relate', 'document', 'issue']
Original Request: All water service records for {} on the City portion of the property from 1960 to present.
Tokens prepared for LDA: ['water', 'service', 'record', 'portion', 'property', 'present']
Original Request: A copy of fire safety plan for {}. Records search from 2006 to present
Tokens prepared for LDA: ['safety', 'record', 'search', 'present']
Original Request: A copy of 311 records relating to {}, ref. # 4638325. Records search from May 27 to May 30, 2017.
Tokens prepared for LDA: ['record', 'relate', '4638325', 'record', 'search']
Original Request: Records of complaints concerning the pumping of water by { onto adjacent property at {}.
Tokens prepared for LDA: ['record', 'complaint', 'concern', 'water', 'adjacent', 'property']
Original Request: Record of 311 calls received from {} concerning his apartment located at {}. Record search from Jun. 1, 2007 to Jan. 1, 2017.
Tokens prepared for LDA: ['record', 'receive', 'concern', 'apartment', 'locate', 'record', 'search', 'january']
Original Request: The identity of the complainant(s) who have made complaints in relation to accumulation of garbage at {.} Record search on Jun. 8, 2017. Ref. folder number 17 170336 WST 00 IR.
Tokens prepared for LDA: ['identity', 'complainant(s', 'complaint', 'relation', 'accumulation', 'garbage', 'record', 'search', 'folder', '170336']
Original Request: Copies of all water and sewer service cards for {} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'water', 'sewer', 'service', 'possible', 'present']
Original Request: Record of a phone conversation that was recorded on February 25, 2017 regarding the dispatch of Toronto Fire Services to an elevator incident at {} Reference F17018177.
Tokens prepared for LDA: ['record', 'phone', 'conversation', 'record', 'february', 'regard', 'dispatch', 'toronto', 'services', 'elevator', 'incident', 'reference', 'f17018177']
Original Request: Records of complaints concerning the pumping of water by {} onto adjacent property at {}.
Tokens prepared for LDA: ['record', 'complaint', 'concern', 'water', 'adjacent', 'property']
Original Request: Tree removal complaints filed by a neighbour about {.} Toronto. Record search from Feb. 1, 2017 to June 15, 2017.
Tokens prepared for LDA: ['removal', 'complaint', 'neighbour', 'toronto', 'record', 'search', 'february']
Original Request: A copy of 311 record, health inspection and ML&S inspection relating to the flood and mould issue at {} North York. Record search from August 2016 to present.
Tokens prepared for LDA: ['record', 'health', 'inspection', 'inspection', 'relate', 'flood', 'mould', 'issue', 'north', 'record', 'search', 'august', 'present']
Original Request: A copy of building inspector file for permit # 99-117373 CMB for {}. Record search from 1999 to 2016.
Tokens prepared for LDA: ['build', 'inspector', 'permit', '117373', 'record', 'search']
Original Request: All records regarding construction and construction related matters for {}, Toronto from Jan. 1 2016 to June 14, 2017.
Tokens prepared for LDA: ['record', 'regard', 'construction', 'construction', 'relate', 'matter', 'toronto', 'january']
Original Request: All date, reports, submissions, presentations etc. supplied by Airbnb to ML&S as the City developed its short-term rental policy. Record search from Jan. 1, 2016 to June15, 2017.
Tokens prepared for LDA: ['report', 'submission', 'presentation', 'supply', 'airbnb', 'develope', 'short', 'rental', 'policy', 'record', 'search', 'january', 'june15']
Original Request: 1. Copy of all 311 records regarding a call made by {} to 311 on May 23, 2017 regarding the Lawrence Park Playground located just south of the Locke Library (Yonge Street and Lawrence Avenue).
Tokens prepared for LDA: ['record', 'regard', 'regard', 'lawrence', 'playground', 'locate', 'south', 'locke', 'library', 'yonge', 'street', 'lawrence', 'avenue']
Original Request: Public Health inspector report done by Ahmad Ahmadzai for {} in about May 2017 including work order, details. ML&S report done by Michael Antonio, including work order due date from May 19 to June 19, 2017.
Tokens prepared for LDA: ['public', 'health', 'inspector', 'report', 'ahmad', 'ahmadzai', 'include', 'order', 'report', 'michael', 'antonio', 'include', 'order']
Original Request: A copy of animal services incident report for the incident that occurred on Dec. 12, 2016. The victim was {} Incident occurred at {}.
Tokens prepared for LDA: ['animal', 'service', 'incident', 'report', 'incident', 'occur', 'december', 'victim', 'incident', 'occur']
Original Request: A copy of building file for {} under the following permits: 04 158527 DST 00 PS 09 160546 PSA 00 PS 09 120068 FSU 00 FS 09 113976 BLD 00 BA 01 160725 OMB 00 BA
Tokens prepared for LDA: ['build', 'follow', 'permit', '158527', '160546', '120068', '113976', '160725']
Original Request: Copies of all submissions in response to Request for Expression of Interest No. 2017-01, issued by Parks, Forestry and Recreation in relation to operation of City of Toronto golf courses. Record search from may 1, 2017 to June16, 2017.
Tokens prepared for LDA: ['copy', 'submission', 'response', 'request', 'expression', 'issue', 'parks', 'forestry', 'recreation', 'relation', 'operation', 'toronto', 'course', 'record', 'search', 'june16']
Original Request: All briefing materials provided to Mayor John Tory in advance of meetings with Toronto MPPs, NDP leader Andrea Horwath and Progressive Conservative leader Patrick Brown. Record search from Jan. 1, 2017 to June16, 2017.
Tokens prepared for LDA: ['brief', 'material', 'provide', 'mayor', 'advance', 'meeting', 'toronto', 'leader', 'andrea', 'horwath', 'progressive', 'conservative', 'leader', 'patrick', 'brown', 'record', 'search', 'january', 'june16']
Original Request: Like to review in person the following requests that have previously been released by Access and Privacy, and which were listed on the City's Open Data Portal: AG-2015-01457 and 2016-01662 relating to Scarborough LRT.
Tokens prepared for LDA: ['review', 'person', 'follow', 'request', 'previously', 'release', 'access', 'privacy', 'portal', 'ag-2015', '01457', '01662', 'relate', 'scarborough']
Original Request: Breakdown of the lot information summarized in the Staff Report - Committee of Adjustment Application for {} under File No. B0060/16SC, A0330/16SC and A0331/16SC. This includes the full lot study of 681 surrounding properties
Tokens prepared for LDA: ['breakdown', 'information', 'summarize', 'staff', 'report', 'committee', 'adjustment', 'application', 'b0060/16sc', 'a0330/16sc', 'a0331/16sc', 'include', 'study', 'surround', 'property']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART)
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start']
Original Request: Record on basement flooding at {} on May 5, 2017. Sewer service line blocked ,crs #965078 & #465646, May 5,& May 9,2017. Pipeteck services report, May 12,2017, lateral inspection and confirmation of crack in sewer line.
Tokens prepared for LDA: ['record', 'basement', 'flood', 'sewer', 'service', 'block', '965078', '465646', '9,2017', 'pipeteck', 'service', 'report', '12,2017', 'lateral', 'inspection', 'confirmation', 'crack', 'sewer']
Original Request: A copy of all documents, phone records and video/audio footage related to work order # 1504065 from Toronto Water.
Tokens prepared for LDA: ['document', 'phone', 'record', 'video', 'audio', 'footage', 'relate', 'order', '1504065', 'toronto', 'water']
Original Request: A copy of previous building permit applications and issued permits for {} North York.
Tokens prepared for LDA: ['previous', 'build', 'permit', 'application', 'issue', 'permit', 'north']
Original Request: A copy report of the quarantine order from Public Health relating to a dog bite incident that occurred on December 12, 2016 at 51 Ferrier St. Public Health Inspector was Ahmad Ahmadzai. Also, a copy of investigating report of the Animal Services complain
Tokens prepared for LDA: ['report', 'quarantine', 'order', 'public', 'health', 'relate', 'incident', 'occur', 'december', 'ferrier', 'public', 'health', 'inspector', 'ahmad', 'ahmadzai', 'investigate', 'report', 'animal', 'services', 'complain']
Original Request: A complete copy of animal services file relating to the animal attack that occurred on Sept. 11, 2016 at {}. The victim was {}, including dog owner's name, address, when was the dog euthanized.
Tokens prepared for LDA: ['complete', 'animal', 'service', 'relate', 'animal', 'attack', 'occur', 'september', 'victim', 'include', 'owner', 'address', 'euthanize']
Original Request: Any and all details (complete file) concerning the road conditions for Keele St., N/B and S/B, from Bloor St. West to Steeles Ave. West, during the period from Oct. 1, 2014 to Dec. 31, 2014.
Tokens prepared for LDA: ['complete', 'concern', 'condition', 'keele', 'bloor', 'steele', 'period', 'october', 'december']
Original Request: Any and all details (complete file) concerning the road conditions for Bay St., N/B and S/B, from Davenport Road to Queen's Quay West, during the period from Oct. 1, 2014 to Dec. 31, 2014.
Tokens prepared for LDA: ['complete', 'concern', 'condition', 'davenport', 'queen', 'period', 'october', 'december']
Original Request: A copy of Police Report for an incident on June 4, 2017 at 4.00 am. Police responded to a call at {}.
Tokens prepared for LDA: ['police', 'report', 'incident', 'police', 'respond']
Original Request: Drawings and documents showing and/or documenting storm, sanitary and water servicing connections for addresses {addresses removed}; 2. Servicing and/or stormwater management reports, drawings and related technical documents.
Tokens prepared for LDA: ['drawing', 'document', 'and/or', 'document', 'storm', 'sanitary', 'water', 'service', 'connection', 'address', 'address', 'remove', 'servicing', 'and/or', 'stormwater', 'management', 'report', 'drawing', 'relate', 'technical', 'document']
Original Request: Drawings and documents showing and/or documenting storm, sanitary and water servicing connections for addresses {addresses removed}; 2. Servicing and/or stormwater management reports, drawings and related technical documents.
Tokens prepared for LDA: ['drawing', 'document', 'and/or', 'document', 'storm', 'sanitary', 'water', 'service', 'connection', 'address', 'address', 'remove', 'servicing', 'and/or', 'stormwater', 'management', 'report', 'drawing', 'relate', 'technical', 'document']
Original Request: Copies of the following building records for {.} under permit # 14 156721 BLD: (1) Heritage permit application and related correspondence (Seeking documentation and revised plans submitted to obtain staff-approved Heritage Permit etc.
Tokens prepared for LDA: ['copy', 'follow', 'build', 'record', 'permit', '156721', 'heritage', 'permit', 'application', 'relate', 'correspondence', 'seeking', 'documentation', 'revise', 'submit', 'obtain', 'staff', 'approve', 'heritage', 'permit']
Original Request: In electronic format: copies of all evaluation scoresheets and submitted bid responses for Salesforce.com Canada Corporation, on the following solicitation issued by the City of Toronto: Title: Enterprise Customer Relationship Management (CRM) Cn etc.
Tokens prepared for LDA: ['electronic', 'format', 'evaluation', 'scoresheets', 'submit', 'response', 'salesforce.com', 'canada', 'corporation', 'follow', 'solicitation', 'issue', 'toronto', 'title', 'enterprise', 'customer', 'relationship', 'management']
Original Request: A complete copy of Toronto Water service records for {} from 2010 to Mar. 16, 2016.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'service', 'record', 'march']
Original Request: All schedule of rates filed with the City by owners/operators of collision reporting centers as required under the Municipal Code 545-273Q (1). That is, fees charged by owners/operators for services they provide at the collision reporting centre etc.
Tokens prepared for LDA: ['schedule', 'owner', 'operator', 'collision', 'report', 'center', 'require', 'municipal', 'charge', 'owner', 'operator', 'service', 'provide', 'collision', 'report', 'centre']
Original Request: In relation to the acquisition of 186 Caribou Rd., by the City of Toronto and Easement Agreement with owner of 3011-3019 Bathurst St., and the current application for a minor variance to facilitate the establishment of a TPA parking lot on 186 Caribou Rd.
Tokens prepared for LDA: ['relation', 'acquisition', 'caribou', 'toronto', 'easement', 'agreement', 'owner', 'bathurst', 'current', 'application', 'minor', 'variance', 'facilitate', 'establishment', 'caribou']
Original Request: In relation to the acquisition of 186 Caribou Rd., by the City of Toronto and Easement Agreement with owner of 3011-3019 Bathurst St., and the current application for a minor variance to facilitate the establishment of a TPA parking lot on 186 Caribou Rd.
Tokens prepared for LDA: ['relation', 'acquisition', 'caribou', 'toronto', 'easement', 'agreement', 'owner', 'bathurst', 'current', 'application', 'minor', 'variance', 'facilitate', 'establishment', 'caribou']
Original Request: A complete copy of building file for {} with respect to all work ever conducted on the detached private garage located on the property.
Tokens prepared for LDA: ['complete', 'build', 'respect', 'conduct', 'detach', 'private', 'garage', 'locate', 'property']
Original Request: A complete copy of building file for {} with respect to all work ever conducted on the detached private garage located on the property.
Tokens prepared for LDA: ['complete', 'build', 'respect', 'conduct', 'detach', 'private', 'garage', 'locate', 'property']
Original Request: Record of any changes or written submissions made concerning the property tax account for {} by {} or any other person claiming ownership of the property. Record search from May 20, 2017 to May 30, 2017.
Tokens prepared for LDA: ['record', 'change', 'write', 'submission', 'concern', 'property', 'account', 'person', 'claim', 'ownership', 'property', 'record', 'search']
Original Request: The identity of the complainant who complained about graffiti appearing on the driveway of {}.
Tokens prepared for LDA: ['identity', 'complainant', 'complain', 'graffito', 'appear', 'driveway']
Original Request: A copy of animal services file #A17-024390 in relation to animal investigation at {}. Incident occurred on May 28, 2017 by Animal Control Officer Sheila Fazekas.
Tokens prepared for LDA: ['animal', 'service', '024390', 'relation', 'animal', 'investigation', 'incident', 'occur', 'animal', 'control', 'officer', 'sheila', 'fazekas']
Original Request: A copy of the most recently available Toronto Fire Services Inspection report and notice of violations for {}.
Tokens prepared for LDA: ['recently', 'available', 'toronto', 'services', 'inspection', 'report', 'notice', 'violation']
Original Request: In reference to agenda item TE11.83 - Report from the Director, Transportation Services, Toronto and East York District dated March 30, 2017. The following is requested from Transportation Services: A list of all of the residential streets or parts of street, which when totaled should match to the 235 km total cited in the report.
Tokens prepared for LDA: ['reference', 'agendum', 'te11.83', 'report', 'director', 'transportation', 'services', 'toronto', 'district', 'march', 'follow', 'request', 'transportation', 'services', 'residential', 'street', 'street', 'total', 'match', 'total', 'report']
Original Request: A list and details of complaints to city regarding animals in restaurants or food establishments. Record search from Feb. 1, 2017 to Jun. 1, 2017.
Tokens prepared for LDA: ['complaint', 'regard', 'animal', 'restaurant', 'establishment', 'record', 'search', 'february']
Original Request: A copy of front yard parking application file for 2 permitted parking spaces at {} or any documentation of when the first parking application was approved. Record search from 1996 to present.
Tokens prepared for LDA: ['application', 'permit', 'space', 'documentation', 'application', 'approve', 'record', 'search', 'present']
Original Request: Record of all building permits, violations and orders issued in relation to {}. Record search from Dec. 2014 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'violation', 'order', 'issue', 'relation', 'record', 'search', 'december', 'present']
Original Request: Information identifying the build date for property located at {}.
Tokens prepared for LDA: ['information', 'identify', 'build', 'property', 'locate']
Original Request: 1. Copies of Lawrence Park Playground proposal and construction records for the renovated playground that officially opened on June 10, 2017. 2. Lawrence Park Playground maintenance records from October 1, 2016 to the present.
Tokens prepared for LDA: ['copy', 'lawrence', 'playground', 'proposal', 'construction', 'record', 'renovate', 'playground', 'officially', 'lawrence', 'playground', 'maintenance', 'record', 'october', 'present']
Original Request: 1. Copies of Lawrence Park Playground proposal and construction records for the renovated playground that officially opened on June 10, 2017. 2. Lawrence Park Playground maintenance records from October 1, 2016 to the present.
Tokens prepared for LDA: ['copy', 'lawrence', 'playground', 'proposal', 'construction', 'record', 'renovate', 'playground', 'officially', 'lawrence', 'playground', 'maintenance', 'record', 'october', 'present']
Original Request: A copy of the survey, site and floor plans submitted as a part of Preliminary Zoning Review 16-106728 ZPR for {}. Record search from Jan. 1, 2016 to Dec. 31, 2016.
Tokens prepared for LDA: ['survey', 'floor', 'submit', 'preliminary', 'zoning', 'review', '106728', 'record', 'search', 'january', 'december']
Original Request: A copy of the survey, site and floor plans submitted as a part of Preliminary Zoning Review 16-106728 ZPR for {}. Record search from Jan. 1, 2016 to Dec. 31, 2016.
Tokens prepared for LDA: ['survey', 'floor', 'submit', 'preliminary', 'zoning', 'review', '106728', 'record', 'search', 'january', 'december']
Original Request: All files related to the Ontario SARS Scientific Advisory Committee (OSSAC), of which the City officials were involved, such as Dr. Sheela Basrur. Specifically, daily meeting minutes of this group - the OSSAC, as they met etc.
Tokens prepared for LDA: ['relate', 'ontario', 'scientific', 'advisory', 'committee', 'ossac', 'official', 'involve', 'sheela', 'basrur', 'specifically', 'daily', 'minute', 'group', 'ossac']
Original Request: A copy of notice/flyer/bulletin delivered by the City to residents on Rusholme Rd. explaining the reason for changing parking on Thursdays to the other side of the street was for street cleaning.
Tokens prepared for LDA: ['notice', 'flyer', 'bulletin', 'deliver', 'resident', 'rusholme', 'explain', 'reason', 'change', 'thursday', 'street', 'street', 'clean']
Original Request: All documents associated with the following open building permits for {}: 10263013 PSA 00 PS; 08 118953 STS 02 DR; 08 118953 STS 01 DR; 08 118953 STS 00 DR; 07223747 STS 00 DR; 06104790 PLB 00 PS; 06104790 HVA 00 MS; 06 104790 etc.
Tokens prepared for LDA: ['document', 'associate', 'follow', 'build', 'permit', '10263013', '118953', '118953', '118953', '07223747', '06104790', '06104790', '104790']
Original Request: Any record of work being completed at {} on August 26, 2016; pursuant to damages caused to aerial cable during construction. Record search from Aug. 1, 2016 to Aug. 26, 2016.
Tokens prepared for LDA: ['record', 'complete', 'august', 'pursuant', 'damage', 'cause', 'aerial', 'cable', 'construction', 'record', 'search', 'august', 'august']
Original Request: All property standards complaints made in relation to property located at {}.
Tokens prepared for LDA: ['property', 'standard', 'complaint', 'relation', 'property', 'locate']
Original Request: All documents associated with open building permits for {}.
Tokens prepared for LDA: ['document', 'associate', 'build', 'permit']
Original Request: A copy of animal services file #A17-026339 in relation to incident at Thomson Memorial Park - 1005 Brimley Rd., on June 8, 2017.
Tokens prepared for LDA: ['animal', 'service', '026339', 'relation', 'incident', 'thomson', 'memorial', 'brimley']
Original Request: A copy of 1989 survey on Committee of Adjustment file for {.}.
Tokens prepared for LDA: ['survey', 'committee', 'adjustment']
Original Request: All outstanding work order on property located at {}.
Tokens prepared for LDA: ['outstanding', 'order', 'property', 'locate']
Original Request: Copies of all investigative notes and records regarding complaints made by {} and/or {} of {} regarding property located at {}.
Tokens prepared for LDA: ['copy', 'investigative', 'record', 'regard', 'complaint', 'and/or', 'regard', 'property', 'locate']
Original Request: Copies of all investigative notes and records regarding complaints made by {} and/or {} of {} regarding property located at {}.
Tokens prepared for LDA: ['copy', 'investigative', 'record', 'regard', 'complaint', 'and/or', 'regard', 'property', 'locate']
Original Request: Copies of June 2017 orders issued by Toronto Building and Toronto Water in relation to {}.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'toronto', 'building', 'toronto', 'water', 'relation']
Original Request: Record of all complaint with respect to parking lot at 2245 Islington Ave. ? Walmart Canada Corp. Record search from Mar. 3, 2014 to present.
Tokens prepared for LDA: ['record', 'complaint', 'respect', 'islington', 'walmart', 'canada', 'corp.', 'record', 'search', 'march', 'present']
Original Request: A copy of the confidential attachment mentioned in - "Report from the Auditor General - Observations of a Land Acquisition at Finch Avenue West and Arrow Road by the Toronto Parking Authority" dated October 24, 2016.
Tokens prepared for LDA: ['confidential', 'attachment', 'mention', 'report', 'auditor', 'general', 'observation', 'acquisition', 'finch', 'avenue', 'arrow', 'toronto', 'parking', 'authority', 'october']
Original Request: All categories of data collected (from Jan. 1, 2017 to June 30, 2017) in a new City of Toronto initiative called "Monitoring Deaths of Homeless People".
Tokens prepared for LDA: ['category', 'datum', 'collect', 'january', 'toronto', 'initiative', 'monitoring', 'death', 'homeless', 'people']
Original Request: A copy of Order to Comply from ML&S issued on June 8, 2017 for {}. Reference # is 4660149, ML&S ref. # is I4180327. Investigation # 17 185744 PRS 00 IV conducted by Waseem Safdar.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'reference', '4660149', 'i4180327', 'investigation', '185744', 'conduct', 'waseem', 'safdar']
Original Request: All complaints issued by City of Toronto for {}, Etobicoke, including the nature of complaints and any records associated with these complaints.
Tokens prepared for LDA: ['complaint', 'issue', 'toronto', 'etobicoke', 'include', 'nature', 'complaint', 'record', 'associate', 'complaint']
Original Request: Name of institution handling the animal abuse complaint between 2006 and 2007 on the abuse of squirrels at {}, including names of officers, occurrence number, notes from officers and any other details.
Tokens prepared for LDA: ['institution', 'handle', 'animal', 'abuse', 'complaint', 'abuse', 'squirrel', 'include', 'officer', 'occurrence', 'officer']
Original Request: Notices of Violation and/or storm/sewer test results and/or sanitary sewer test results for {} and adjacent properties - specifically {} and {}. Record search from Feb. 25, 1989 to Oct. 14, 2016.
Tokens prepared for LDA: ['notice', 'violation', 'and/or', 'storm', 'sewer', 'result', 'and/or', 'sanitary', 'sewer', 'result', 'adjacent', 'property', 'specifically', 'record', 'search', 'february', 'october']
Original Request: Notices of Violation and/or storm/sewer test results and/or sanitary sewer test results for {} and adjacent properties - specifically {} and {}. Record search from Feb. 25, 1989 to Oct. 14, 2016.
Tokens prepared for LDA: ['notice', 'violation', 'and/or', 'storm', 'sewer', 'result', 'and/or', 'sanitary', 'sewer', 'result', 'adjacent', 'property', 'specifically', 'record', 'search', 'february', 'october']
Original Request: Notices of Violation and/or storm/sewer test results and/or sanitary sewer test results for {} and adjacent properties - specifically {} and {}. Record search from Feb. 25, 1989 to Oct. 14, 2016.
Tokens prepared for LDA: ['notice', 'violation', 'and/or', 'storm', 'sewer', 'result', 'and/or', 'sanitary', 'sewer', 'result', 'adjacent', 'property', 'specifically', 'record', 'search', 'february', 'october']
Original Request: All and any workpages and/or documents from Children's Services to validate the investigation on the amount owed by J&F Home Child Care Services. Investigation was done in 2016.
Tokens prepared for LDA: ['workpages', 'and/or', 'document', 'child', 'services', 'validate', 'investigation', 'child', 'services', 'investigation']
Original Request: Searchable PDF copies of all reports, analyses, slide decks, briefing notes and/or explanatory notes related to the costing report "2018 implementation Costs for Various Approved Service Plans".
Tokens prepared for LDA: ['searchable', 'report', 'analysis', 'slide', 'brief', 'and/or', 'explanatory', 'relate', 'report', 'implementation', 'costs', 'various', 'approve', 'service', 'plan']
Original Request: Committee of Adjustment application and documents for {}, file # A572/00TO and A0379./02TEY.
Tokens prepared for LDA: ['committee', 'adjustment', 'application', 'document', 'a572/00to', 'a0379./02tey']
Original Request: All building, zoning violation notices and orders to comply, which were issued to {.} in relation to the unpermitted constriction of a carport.
Tokens prepared for LDA: ['build', 'violation', 'notice', 'order', 'comply', 'issue', 'relation', 'unpermitted', 'constriction', 'carport']
Original Request: All building permit documents for {} from Jan. 1, 1965 to present.
Tokens prepared for LDA: ['build', 'permit', 'document', 'january', 'present']
Original Request: Operational costing information regarding Toronto Water Labs for 2015 and 2016.
Tokens prepared for LDA: ['operational', 'information', 'regard', 'toronto', 'water']
Original Request: The identity of the complainant who complained about two-sided ground sign at {} ref. file # 17 189355 00 BR. Record search June 30, 2017.
Tokens prepared for LDA: ['identity', 'complainant', 'complain', 'grind', '189355', 'record', 'search']
Original Request: Record of all complaints made by {} for repairs to sidewalk adjacent to {.}. Record search from Jan. 1, 2011 to Dec. 31, 2016.
Tokens prepared for LDA: ['record', 'complaint', 'repair', 'sidewalk', 'adjacent', 'record', 'search', 'january', 'december']
Original Request: The date water/sewer work started at {.} including documents. A request for this work was put in on July 13, 2016. Record search from July 13, 2016 to November 2016.
Tokens prepared for LDA: ['water', 'sewer', 'start', 'include', 'document', 'request', 'record', 'search', 'november']
Original Request: Copies of documents and correspondence from the Mayor's office and TCHC pertaining to the Grenfell Tower fire (London, UK) including, those which discuss flammable cladding issues in Toronto. Record search from Jun. 14, 2017 to July 4, 2017.
Tokens prepared for LDA: ['copy', 'document', 'correspondence', 'mayor', 'office', 'pertain', 'grenfell', 'tower', 'london', 'include', 'discus', 'flammable', 'issue', 'toronto', 'record', 'search']
Original Request: A copy of the 135-page chronology prepared by the auditor general in relation to the report "Auditor General's Observations of a Land Acquisition at Finch Avenue West and Arrow Road by the Toronto Parking Authority" and copies of all of the invoices etc.
Tokens prepared for LDA: ['135-page', 'chronology', 'prepare', 'auditor', 'general', 'relation', 'report', 'auditor', 'general', 'observation', 'acquisition', 'finch', 'avenue', 'arrow', 'toronto', 'parking', 'authority', 'invoice']
Original Request: Documentation on the status (open or closed) of the following Chapter 851 Water Supply By-Law violations concerning {}: June 2014: C 681-NOV-30D-2014-03231-10450; June 2013: C 681-NOY-14D-2013-02384-10450 etc.
Tokens prepared for LDA: ['documentation', 'status', 'close', 'follow', 'chapter', 'water', 'supply', 'violation', 'concern', '681-nov-30d-2014', '03231', '10450', '681-noy-14d-2013', '02384', '10450']
Original Request: A copy of party wall permit application for {.}. Permit was issued on May 5, 2017 under permit # 17 153346 BLD 00 SR.
Tokens prepared for LDA: ['party', 'permit', 'application', 'permit', 'issue', 'permit', '153346']
Original Request: All complaint records held by the City in relation to {}, including the nature of the complaint and any associated records.
Tokens prepared for LDA: ['complaint', 'record', 'relation', 'include', 'nature', 'complaint', 'associate', 'record']
Original Request: All complaint records held by the City in relation to {}, including the nature of the complaint and any associated records.
Tokens prepared for LDA: ['complaint', 'record', 'relation', 'include', 'nature', 'complaint', 'associate', 'record']
Original Request: All complaints made with respect to {} from 2012 to present.
Tokens prepared for LDA: ['complaint', 'respect', 'present']
Original Request: Copies of files from Toronto Animal Services, Toronto Fire and Toronto Public Health Divisions with regards to property located at {.}. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'animal', 'services', 'toronto', 'toronto', 'public', 'health', 'division', 'regard', 'property', 'locate', 'record', 'search', 'january', 'present']
Original Request: All correspondence to/from Heritage Preservation Services concerning or relevant or related to the Baby Point HCD study. This includes, but is not limited to HPS, etc.
Tokens prepared for LDA: ['correspondence', 'heritage', 'preservation', 'services', 'concern', 'relevant', 'relate', 'point', 'study', 'include', 'limit']
Original Request: A copy of video recording capturing the interaction between two resident (refer to photograph provided) in the hallway of Wesburn Manor Long Term Care Home on May 18, 2017 between 17:45 and 18:30.
Tokens prepared for LDA: ['video', 'record', 'capture', 'interaction', 'resident', 'refer', 'photograph', 'provide', 'hallway', 'wesburn', 'manor', '17:45', '18:30']
Original Request: Record of any existing orders or investigations regarding {.} with respect to property standard issues. Any street parking applications or conditions (i.e. regulated zones, approvals etc.), in relation to the property. All StreetARToronto etc
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'application', 'condition', 'regulate', 'approval', 'relation', 'property', 'streetartoronto']
Original Request: For the following list of divisions and agencies which have both a budgeted operating and capital staff complement; the following is requested: a breakdown of staffing complement costs, operating complement costs and capital complement and costs etc.
Tokens prepared for LDA: ['follow', 'division', 'agency', 'budget', 'operate', 'capital', 'staff', 'complement', 'follow', 'request', 'breakdown', 'staff', 'complement', 'operate', 'complement', 'capital', 'complement']
Original Request: A copy of Cushman Wakefield appraisal report (including all schedules and addendums thereto) dated in or about May of 2013 prepared for City of Toronto Real Estate Services Division for lands co-owned by Torch Investments Ltd. situated in etc.
Tokens prepared for LDA: ['cushman', 'wakefield', 'appraisal', 'report', 'include', 'schedule', 'addendum', 'thereto', 'prepare', 'toronto', 'estate', 'services', 'division', 'torch', 'investment', 'situate']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for }. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: All building file documents for {.}. Record search from July 2007 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'search', 'present']
Original Request: The number of deaths which have occurred in the jurisdiction of Toronto Fire Services where the individuals were over the age of 18 years and the cause of death was due to the use of a hot plate. Record search from Jan. 1, 2007 to Jan. 1, 2017.
Tokens prepared for LDA: ['death', 'occur', 'jurisdiction', 'toronto', 'services', 'individual', 'cause', 'death', 'plate', 'record', 'search', 'january', 'january']
Original Request: Record of all ML&S complaints regarding {.}.
Tokens prepared for LDA: ['record', 'complaint', 'regard']
Original Request: Record of all complaints regarding {.}, including inspection notes, violations notices and work orders; related to investigation #: 16 256593 PRS 00 IR 16 252918 HEA 00 IR 16 248231 HEA 00 IR and, 16246900 PRS IV.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'include', 'inspection', 'violation', 'notice', 'order', 'relate', 'investigation', '256593', '252918', '248231', '16246900']
Original Request: A copy of ML&S investigative records concerning lack of heat within residential unit at }. Inspected on June 29, 2017.
Tokens prepared for LDA: ['investigative', 'record', 'concern', 'residential', 'inspect']
Original Request: All records pertaining to {} contained by Heritage Preservation Services, specifically records that pertain to approvals and denials or requests for alteration, additions and demolition at the aforementioned address.
Tokens prepared for LDA: ['record', 'pertain', 'contain', 'heritage', 'preservation', 'services', 'specifically', 'record', 'pertain', 'approval', 'denial', 'request', 'alteration', 'addition', 'demolition', 'aforementioned', 'address']
Original Request: Documentation of the reason why recycle garbage bins was refused/not accepted from {.} on June 29, 2017.
Tokens prepared for LDA: ['documentation', 'reason', 'recycle', 'garbage', 'refuse', 'accept']
Original Request: A complete copy of incident report relating to dog bite incident (A17-025933) at Withrow Park, involving a dog owned by {} of {.}.
Tokens prepared for LDA: ['complete', 'incident', 'report', 'relate', 'incident', '025933', 'withrow', 'involve']
Original Request: A copy of the current Housing Stabilization Policy on the Toronto Employment and Social Services.
Tokens prepared for LDA: ['current', 'housing', 'stabilization', 'policy', 'toronto', 'employment', 'social', 'services']
Original Request: The mythology and data used to establish the flat rate for beds in the HSF policy, including which outlets were contacted, the prices of the beds for each store (including tax with and without delivery) and the date each outlet was contacted.
Tokens prepared for LDA: ['mythology', 'datum', 'establish', 'policy', 'include', 'outlet', 'contact', 'price', 'store', 'include', 'delivery', 'outlet', 'contact']
Original Request: The mythology and data used to establish the flat rate for beds in the HSF policy, including which outlets were contacted, the prices of the beds for each store (including tax with and without delivery) and the date each outlet was contacted.
Tokens prepared for LDA: ['mythology', 'datum', 'establish', 'policy', 'include', 'outlet', 'contact', 'price', 'store', 'include', 'delivery', 'outlet', 'contact']
Original Request: All property and permit documentation for {.} Record search Jan. 1, 1950 to Jul. 6, 2017.
Tokens prepared for LDA: ['property', 'permit', 'documentation', 'record', 'search', 'january']
Original Request: Record of complaints (including fire code related concerns) made by {} against residents of {.}. Record search from Jun. 25, 2017 to present.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'relate', 'concern', 'resident', 'record', 'search', 'present']
Original Request: The methodology used to develop the modeling for the most recent HSF policy changes (as referred to by Phil Eisler at the HSF Information Session on Wednesday June 28, 2017) and all resultant data.
Tokens prepared for LDA: ['methodology', 'develop', 'model', 'recent', 'policy', 'change', 'refer', 'eisler', 'information', 'session', 'wednesday', 'resultant', 'datum']
Original Request: The methodology used to develop the modeling for the most recent HSF policy changes (as referred to by Phil Eisler at the HSF Information Session on Wednesday June 28, 2017) and all resultant data.
Tokens prepared for LDA: ['methodology', 'develop', 'model', 'recent', 'policy', 'change', 'refer', 'eisler', 'information', 'session', 'wednesday', 'resultant', 'datum']
Original Request: All 2016 and 2017 building inspection records related to {.} under permit #16 258736.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'relate', 'permit', '258736']
Original Request: All 2016 and 2017 building inspection records related to {.} under permit #16 258736.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'relate', 'permit', '258736']
Original Request: The methodology used to establish the flat rate for moving in the HSF policy
Tokens prepared for LDA: ['methodology', 'establish', 'policy']
Original Request: The methodology used to establish the flat rate for moving in the HSF policy
Tokens prepared for LDA: ['methodology', 'establish', 'policy']
Original Request: Record of all permit inspection reports for {} including occupancy date by {}. Record search Sep. 1, 2015 to Jun. 30, 2017.
Tokens prepared for LDA: ['record', 'permit', 'inspection', 'report', 'include', 'occupancy', 'record', 'search', 'september']
Original Request: Data from the Outfall Monitoring Program for all combined sewer overflows within a 1km radius of the RC Harris Water Treatment Plan. Record search from Jan. 1, 1992 to Jan. 1, 2017.
Tokens prepared for LDA: ['outfall', 'monitoring', 'program', 'combine', 'sewer', 'overflow', 'radius', 'harris', 'water', 'treatment', 'record', 'search', 'january', 'january']
Original Request: The minimum load required on power plants throughout the City.
Tokens prepared for LDA: ['minimum', 'require', 'power', 'plant']
Original Request: A copy of fire inspection reports and/or notes regarding {}. Record search from Jan. 1, 2013 to Jul. 6, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'and/or', 'regard', 'record', 'search', 'january']
Original Request: A copy of ML&S inspection reports regarding {.} including any check lists of open and closed items which required addressing by the landlord. Record search from Nov. 2016 to Apr. 2017.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'include', 'check', 'close', 'require', 'address', 'landlord', 'record', 'search', 'november', 'april']
Original Request: A copy of ML&S inspection reports for {} regarding water drainage. Record search from 2005 to present.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'water', 'drainage', 'record', 'search', 'present']
Original Request: A copy of Committee of Adjustment file for {.} file No. A282-99.
Tokens prepared for LDA: ['committee', 'adjustment']
Original Request: A copy of Committee of Adjustment reports submitted by RC Adjusting in relation to {}, (dated Jan. 27, 2011 and Feb. 4, 2011) and Bachly Construction/Urban Clean Ltd. dated Feb. 2, 2011.
Tokens prepared for LDA: ['committee', 'adjustment', 'report', 'submit', 'adjust', 'relation', 'january', 'february', 'bachly', 'construction', 'urban', 'clean', 'february']
Original Request: Any and all documents, communication, e-mail etc., between the City - Court Services Division and FDR Limited with regards to files: 2231970, 2231971 and 2231972. All documents evidencing the sale of the debts for the aforementioned files.
Tokens prepared for LDA: ['document', 'communication', 'court', 'services', 'division', 'limited', 'regard', '2231970', '2231971', '2231972', 'document', 'evidence', 'aforementioned']
Original Request: All records generated by Toronto Building staff Paul Posluszny and/or Alex Rouselle in relation to {.} under permit # 14 208834. Record search from Aug. 1, 2015 to Jul. 10, 2017.
Tokens prepared for LDA: ['record', 'generate', 'toronto', 'building', 'staff', 'posluszny', 'and/or', 'rouselle', 'relation', 'permit', '208834', 'record', 'search', 'august']
Original Request: A copy of report following flood inspection at {} in Aug. 2016.
Tokens prepared for LDA: ['report', 'follow', 'flood', 'inspection', 'august']
Original Request: Requesting corporate security video and security report completed by Corporate Security staff Vince on Mar. 1, 2013 between 4:00 p.m. and 5:00 p.m. Video and report should reflect account of a service transaction between {} or Parking etc.
Tokens prepared for LDA: ['request', 'corporate', 'security', 'video', 'security', 'report', 'complete', 'corporate', 'security', 'staff', 'vince', 'march', 'video', 'report', 'reflect', 'account', 'service', 'transaction', 'parking']
Original Request: Following damage to underground cables at {.}; copies of any permits issued to the completion of work at the aforementioned address is requested. Record search from Dec. 2015 to Aug. 2016.
Tokens prepared for LDA: ['following', 'damage', 'underground', 'cable', 'permit', 'issue', 'completion', 'aforementioned', 'address', 'request', 'record', 'search', 'december', 'august']
Original Request: Record of current garbage collection contracts held by the City of Toronto in all districts as well as the proposal submitted by each awardee.
Tokens prepared for LDA: ['record', 'current', 'garbage', 'collection', 'contract', 'toronto', 'district', 'proposal', 'submit', 'awardee']
Original Request: Record of all service call requests made to Toronto Water Division with regards to sewer back up at {} in 2010.
Tokens prepared for LDA: ['record', 'service', 'request', 'toronto', 'water', 'division', 'regard', 'sewer']
Original Request: Copies of all permit applications (pool, shed, principal residence, inspection records etc.) and related documents for {}. Record search from Jul. 1, 2010 to Jan. 30, 2012
Tokens prepared for LDA: ['copy', 'permit', 'application', 'principal', 'residence', 'inspection', 'record', 'relate', 'document', 'record', 'search', 'january']
Original Request: Complete copies of all ML&S investigative file documents for {} ref. No.: 16 152165 PRS 00 IV; 16 152173 PRS 00 IV; 16 155403 PRS 00 IV; 17 191479 PRS 00 IV. The names of any engineer or other individual involved in these investigations.
Tokens prepared for LDA: ['complete', 'investigative', 'document', '152165', '152173', '155403', '191479', 'engineer', 'individual', 'involve', 'investigation']
Original Request: All inspection reports and / or compliance orders for {.} since June 30, 2016. Reference file #2016-174-764-BR.
Tokens prepared for LDA: ['inspection', 'report', 'compliance', 'order', 'reference', '764-br']
Original Request: All inspection reports and / or compliance orders for {.} since June 30, 2016. Reference file #2016-174-764-BR.
Tokens prepared for LDA: ['inspection', 'report', 'compliance', 'order', 'reference', '764-br']
Original Request: In relation to the report "development of low carbon thermal energy networks" adopted by Executive Committee on Oct. 26, 2016, an RFPQ process was adopted. Please provide the list of organizations which purchased the call document; a copy of the 12
Tokens prepared for LDA: ['relation', 'report', 'development', 'carbon', 'thermal', 'energy', 'network', 'adopt', 'executive', 'committee', 'october', 'process', 'adopt', 'provide', 'organization', 'purchase', 'document']
Original Request: A copy of animal bite report # CRSIR 112590 relating to an incident that occurred on June 29, 2017. Lisa Samuel was the inspector.
Tokens prepared for LDA: ['animal', 'report', 'crsir', '112590', 'relate', 'incident', 'occur', 'samuel', 'inspector']
Original Request: Copies of any and all building or construction permits issued by City of Toronto for {}. Copies of applications for the building or construction permits and all accompanying documents submitted relating to {}
Tokens prepared for LDA: ['copy', 'build', 'construction', 'permit', 'issue', 'toronto', 'copy', 'application', 'build', 'construction', 'permit', 'accompany', 'document', 'submit', 'relate']
Original Request: The premiums paid by the City of Toronto for dental benefits for employees, agencies, boards, councils and commissions. Record search from Jan. 1, 2015 to Dec. 31, 2016.
Tokens prepared for LDA: ['premium', 'toronto', 'dental', 'benefit', 'employee', 'agency', 'board', 'council', 'commission', 'record', 'search', 'january', 'december']
Original Request: History of building permits and associated drawings for {} from 1960 to 2003.
Tokens prepared for LDA: ['history', 'build', 'permit', 'associate', 'drawing']
Original Request: A copy of fire inspector's notes and report and related information for inspection carried out at {}, on or about July 6, 2017.
Tokens prepared for LDA: ['inspector', 'report', 'relate', 'information', 'inspection', 'carry']
Original Request: A copy of heating complaint made against {} in 2015 and 2016.
Tokens prepared for LDA: ['complaint']
Original Request: Record of any permits taken out for property located at {.} from Jun. 1, 2016 to Sep. 2016.
Tokens prepared for LDA: ['record', 'permit', 'property', 'locate', 'september']
Original Request: A copy of sign-in sheet from St. Aidan Elementary School for their after school recreation care program (ARC) for the week of Oct. 24-28, 2016. Sign-in confirmation is being sought for {}.
Tokens prepared for LDA: ['sheet', 'aidan', 'elementary', 'school', 'school', 'recreation', 'program', 'october', 'confirmation']
Original Request: A copy of PFR file pertaining to tree at {} including all complaint records, incidents of falling limbs, assessment, orders or recommendations on the maintenance of tree. Record search from Jan. 1, 2000 to Jul. 12, 2017.
Tokens prepared for LDA: ['pertain', 'include', 'complaint', 'record', 'incident', 'assessment', 'order', 'recommendation', 'maintenance', 'record', 'search', 'january']
Original Request: All notes, correspondence, reports, dates and times of any site visits (if needed), photos, research done, reviews, decisions made, pertaining to committee of adjustment applications for {}. Specifically, with / by City Planner Catherine Jong
Tokens prepared for LDA: ['correspondence', 'report', 'visit', 'photo', 'research', 'review', 'decision', 'pertain', 'committee', 'adjustment', 'application', 'specifically', 'planner', 'catherine']
Original Request: Record of all sewer and flooding complaints in relation to {.} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of any repairs to sidewalk and curb on the north side of Richmond St. E. between George St. and Jarvis St., during the period Jun. 28, 2016 to Jun. 28, 2017.
Tokens prepared for LDA: ['record', 'repair', 'sidewalk', 'north', 'richmond', 'george', 'jarvis', 'period']
Original Request: Record of all fire inspection reports and notices of fire code violations for {.}. Record search from Jan. 1, 2002 to Jan. 1, 2017,
Tokens prepared for LDA: ['record', 'inspection', 'report', 'notice', 'violation', 'record', 'search', 'january', 'january']
Original Request: Record of all fire inspection reports and notices of fire code violations for {.}. Record search from Jan. 1, 2002 to Jan. 1, 2017,
Tokens prepared for LDA: ['record', 'inspection', 'report', 'notice', 'violation', 'record', 'search', 'january', 'january']
Original Request: Copies of all noise complaint records for {.} including the identity and contact information for the complainant (s). Ref. file # B72253 and B72267.
Tokens prepared for LDA: ['copy', 'noise', 'complaint', 'record', 'include', 'identity', 'contact', 'information', 'complainant', 'b72253', 'b72267']
Original Request: All building files from permit # 02-111439 BLD 00 NR for 300 Evans Ave..
Tokens prepared for LDA: ['build', 'permit', '111439', 'evans']
Original Request: A copy of mold investigation report for {}. Record search from Mar. 3, 2017 to present.
Tokens prepared for LDA: ['investigation', 'report', 'record', 'search', 'march', 'present']
Original Request: Record of all fire inspection reports and notices of fire code violations for {.}.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'notice', 'violation']
Original Request: Record of all fire inspection reports and notices of fire code violations for {.}.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'notice', 'violation']
Original Request: Record of all zoning, building permit and building history information for {}. Record search from 1950 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'build', 'history', 'information', 'record', 'search', 'present']
Original Request: Record of all complaint investigations and records regarding {}. Record search from June 2017 to present.
Tokens prepared for LDA: ['record', 'complaint', 'investigation', 'record', 'regard', 'record', 'search', 'present']
Original Request: A copy of 2012 fire inspection report and clearance letter for {}.
Tokens prepared for LDA: ['inspection', 'report', 'clearance', 'letter']
Original Request: All permit documents for {} from 1933 to 1981.
Tokens prepared for LDA: ['permit', 'document']
Original Request: Copies of all building permits issued for {} from 1990 to 1997.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue']
Original Request: All building records pertaining to {} under permit #16 203198 BLD 00 SR & 16 203198 HVA 00 MS. As well, any correspondence between the applicant and Randy Wallace (the building inspector) - e-mails, notes, comments etc.
Tokens prepared for LDA: ['build', 'record', 'pertain', 'permit', '203198', '203198', 'correspondence', 'applicant', 'randy', 'wallace', 'build', 'inspector', 'comment']
Original Request: All records and communication in connection with the issuance of annual permit by the City to the Valley Tennis Club - 1 Mill St.
Tokens prepared for LDA: ['record', 'communication', 'connection', 'issuance', 'annual', 'permit', 'valley', 'tennis']
Original Request: A copy of site plan agreement for {.}.
Tokens prepared for LDA: ['agreement']
Original Request: The name address and contact information for the builder of new build at {} and that of the homeowner as well. Record search from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['address', 'contact', 'information', 'builder', 'build', 'homeowner', 'record', 'search', 'january', 'present']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: Record of all sewer and flooding complaints in relation to {} including, all related reports and investigative notes.
Tokens prepared for LDA: ['record', 'sewer', 'flood', 'complaint', 'relation', 'include', 'relate', 'report', 'investigative']
Original Request: A copy of the complaint filed against the driveway width of {}, from 2015 to 2017.
Tokens prepared for LDA: ['complaint', 'driveway', 'width']
Original Request: A copy of the complaint filed against the driveway width of {}, from 2015 to 2017.
Tokens prepared for LDA: ['complaint', 'driveway', 'width']
Original Request: A complete list of all high rise apartment buildings (7 stories or more) in the City of Toronto that are at least 30 years or older.
Tokens prepared for LDA: ['complete', 'apartment', 'building', 'story', 'toronto', 'little']
Original Request: A copy of ML&S taxi complaint record with regards to incident which occurred on Jun. 24, 2017. Ref. # B72602.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'incident', 'occur', 'b72602']
Original Request: A complete copy of Parks Forestry and Recreation file for {} who attended aqua fitness classes at the Albion Pool & Health Club. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['complete', 'parks', 'forestry', 'recreation', 'attend', 'fitness', 'class', 'albion', 'health', 'record', 'search', 'january', 'present']
Original Request: Documentation of the outcome of muzzle order appeal by {} of {}. Record search from Aug. 22, 2016 to Sep. 30, 2016.
Tokens prepared for LDA: ['documentation', 'outcome', 'muzzle', 'order', 'appeal', 'record', 'search', 'august', 'september']
Original Request: A copy of police file re: {.} and {.}. File # is 1961587, 2016 occurrence, including all police officers' notes.
Tokens prepared for LDA: ['police', '1961587', 'occurrence', 'include', 'police', 'officer']
Original Request: A copy of complaint filed with the Parking Enforcement to come out to Glos Rd. in regards to cars parking over the 3 hour minimium parking limit.
Tokens prepared for LDA: ['complaint', 'parking', 'enforcement', 'regard', 'minimium', 'limit']
Original Request: All building records for {}. Record search from 1945 to 1988.
Tokens prepared for LDA: ['build', 'record', 'record', 'search']
Original Request: All ML&S investigative records for {}. Record search from Oct. 2, 2013 to Jan. 31, 2017.
Tokens prepared for LDA: ['investigative', 'record', 'record', 'search', 'october', 'january']
Original Request: All building permit records for {} under permit # 12-276887. Record search from 2013 to 2017.
Tokens prepared for LDA: ['build', 'permit', 'record', 'permit', '276887', 'record', 'search']
Original Request: A copy of fire inspection report pertaining to {}. Record search from Jul. 1, 2017 to July 18, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'record', 'search']
Original Request: A copy of ML&S investigative report for {} regarding eaves trough and water leakage issues. Record search from Jun. 1, 2014 to Oct. 1, 2016.
Tokens prepared for LDA: ['investigative', 'report', 'regard', 'trough', 'water', 'leakage', 'issue', 'record', 'search', 'october']
Original Request: Copies of all Toronto Building, ML&S and 311 correspondence and documents relating to {}. Record search from Nov. 22, 2016 to Jun. 16, 2017.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'correspondence', 'document', 'relate', 'record', 'search', 'november']
Original Request: All updates for Toronto Water service request # 462-4861
Tokens prepared for LDA: ['update', 'toronto', 'water', 'service', 'request']
Original Request: All communication and documentation in relation to traffic calming, speed limits and speed humps or bumps, exchanged between Councillor Cesar Palacio and any City staff from Transportation Services Division.
Tokens prepared for LDA: ['communication', 'documentation', 'relation', 'traffic', 'speed', 'limit', 'speed', 'exchange', 'councillor', 'cesar', 'palacio', 'staff', 'transportation', 'services', 'division']
Original Request: Documentation of the date {} was built; dates of the start and end of construction and the date and location of first residential occupancy permit. A copy of residential occupancy permit was issued for the building.
Tokens prepared for LDA: ['documentation', 'build', 'start', 'construction', 'location', 'residential', 'occupancy', 'permit', 'residential', 'occupancy', 'permit', 'issue', 'build']
Original Request: A copy of building permit for the temporary showroom (model suite and sales office) for 45 Dovercourt Rd. Record search from Jan. 1, 2014 to Jan. 1, 2016.
Tokens prepared for LDA: ['build', 'permit', 'temporary', 'showroom', 'model', 'suite', 'office', 'dovercourt', 'record', 'search', 'january', 'january']
Original Request: All building inspection reports and notes pertaining to property located at {}. Record search from Jan. 1, 2013 to present. Any permit issued to the aforementioned property since Jul. 7, 2017.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'pertain', 'property', 'locate', 'record', 'search', 'january', 'present', 'permit', 'issue', 'aforementioned', 'property']
Original Request: All records associated with the following permits for {} including documentation of the outcome of all inspections i.e. open or closed.
Tokens prepared for LDA: ['record', 'associate', 'follow', 'permit', 'include', 'documentation', 'outcome', 'inspection', 'close']
Original Request: All personal and contact information for {} who had a registered business licensed under T85-4544684.
Tokens prepared for LDA: ['personal', 'contact', 'information', 'register', 'business', 'license', '4544684']
Original Request: A complete copy of Public Health records re: St. Helen's Meat Packers Ltd. at 1-3 Glen Scarlett Rd. including: 1. Any additional TPH documents beyond the Food Condemnation/Seizure Report.
Tokens prepared for LDA: ['complete', 'public', 'health', 'record', 'helen', 'packer', 'scarlett', 'include', 'additional', 'document', 'condemnation', 'seizure', 'report']
Original Request: Status and history of permits at {.} in hard copy. Record search from May 1, 2015 to present.
Tokens prepared for LDA: ['status', 'history', 'permit', 'record', 'search', 'present']
Original Request: All operators who have received the 2016 Ontario Wage Enhancement Grant and have had either a random audit of their Provincial Wage Enhancement distribution or their records reviewed by Toronto Children's Services. For any applicable operator the total
Tokens prepared for LDA: ['operator', 'receive', 'ontario', 'enhancement', 'grant', 'random', 'audit', 'provincial', 'enhancement', 'distribution', 'record', 'review', 'toronto', 'child', 'services', 'applicable', 'operator', 'total']
Original Request: Request for e-mails, letters, internal files of Toronto Children's Services re: the Ontario Wage Enhancement Grant and the BEEZ KNEEZ Nursery School. All communication including e-mails, letters, files and the BEEZ KNEEZ Nursery
Tokens prepared for LDA: ['request', 'letter', 'internal', 'toronto', 'child', 'services', 'ontario', 'enhancement', 'grant', 'kneez', 'nursery', 'school', 'communication', 'include', 'letter', 'kneez', 'nursery']
Original Request: The following requested records relate to the development of 77-79 East Don Roadway and 661-677 Queen Street East:- (a) All correspondence (including but not limited to: e-mails, letters, text messages, hand written notes) etc.
Tokens prepared for LDA: ['follow', 'request', 'record', 'relate', 'development', 'roadway', 'queen', 'street', 'east:-', 'correspondence', 'include', 'limit', 'letter', 'message', 'write']
Original Request: Record of any businesses registered under the name {} during the period 2016 - 2017.
Tokens prepared for LDA: ['record', 'business', 'register', 'period']
Original Request: A copy of mold inspection report for {.}. Record search from Apr. 24, 2017 to May 30, 2017.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'search', 'april']
Original Request: Documentation of recorded visit (log book) by {} to Toronto East York building customer service counter; for the purpose of viewing the zoning file for {} sometime on or about Jan. 26, 2017.
Tokens prepared for LDA: ['documentation', 'record', 'visit', 'toronto', 'build', 'customer', 'service', 'counter', 'purpose', 'january']
Original Request: Copies of all property standards and building complaints,orders, investigation, inspection notes etc. regarding {.}. Any permits issued to change the grading on the property and/or the balcony and associated structures.
Tokens prepared for LDA: ['copy', 'property', 'standard', 'build', 'complaint', 'order', 'investigation', 'inspection', 'regard', 'permit', 'issue', 'change', 'grade', 'property', 'and/or', 'balcony', 'associate', 'structure']
Original Request: Copies of all property standards and building complaints,orders, investigation, inspection notes etc. regarding {.}. Any permits issued to change the grading on the property and/or the balcony and associated structures.
Tokens prepared for LDA: ['copy', 'property', 'standard', 'build', 'complaint', 'order', 'investigation', 'inspection', 'regard', 'permit', 'issue', 'change', 'grade', 'property', 'and/or', 'balcony', 'associate', 'structure']
Original Request: Record of any sewage or flooding issues during the last 17 years at {.}. Record search Jan. 1, 200 to Jan. 1, 2017.
Tokens prepared for LDA: ['record', 'sewage', 'flood', 'issue', 'record', 'search', 'january', 'january']
Original Request: All records pertaining to the sewage blockage and back up issues at {} including call complaint logs, reports or notes. Record search from March 1, 2017 to July 31, 2017.
Tokens prepared for LDA: ['record', 'pertain', 'sewage', 'blockage', 'issue', 'include', 'complaint', 'report', 'record', 'search', 'march']
Original Request: Identity and address of owner of {}, specifically where tax bills are sent to. Record search from March 1, 2016 to present.
Tokens prepared for LDA: ['identity', 'address', 'owner', 'specifically', 'record', 'search', 'march', 'present']
Original Request: A copy of video stills capturing a motor vehicle/pedestrian collision at the intersection of Don Mills and O'Connor on Jun. 18, 2015 on or about 10:25 p.m. Subject vehicle - blue Subaru Impreza, license plate # {plate removed}; making a right turn going south.
Tokens prepared for LDA: ['video', 'capture', 'motor', 'vehicle', 'pedestrian', 'collision', 'intersection', 'mills', "o'connor", '10:25', 'subject', 'vehicle', 'subaru', 'impreza', 'license', 'plate', 'plate', 'remove', 'right', 'south']
Original Request: Record of any permits taken out for property located at {} from Apr. 1, 2016 to Aug. 4, 2016.
Tokens prepared for LDA: ['record', 'permit', 'property', 'locate', 'april', 'august']
Original Request: A complete copy of building file for {} from Jul. 1, 1997 to Jul. 1, 2017.
Tokens prepared for LDA: ['complete', 'build']
Original Request: Copies of all investigation reports for {} from Feb. 1. 1998 to Apr. 30, 2017.
Tokens prepared for LDA: ['copy', 'investigation', 'report', 'february', 'april']
Original Request: Copies of all building records for {} under permit # 11 192044. Record search from Jan. 1, 2011 to Sep. 30, 2016.
Tokens prepared for LDA: ['copy', 'build', 'record', 'permit', '192044', 'record', 'search', 'january', 'september']
Original Request: All fire inspection and fire compliance related reports and records for {}. Records search from as far back as possible to 1998.
Tokens prepared for LDA: ['inspection', 'compliance', 'relate', 'report', 'record', 'record', 'search', 'possible']
Original Request: Requesting attendance records and sign-out initials for {} at the Ellesmere ARC program for school year 2015 & 2016.
Tokens prepared for LDA: ['request', 'attendance', 'record', 'initial', 'ellesmere', 'program', 'school']
Original Request: Record of ride refusal complaints by {} under complaint #: B63887, B64087, B64088, B64089, B63959 and B64090. Records should also include investigative reports and/or notes.
Tokens prepared for LDA: ['record', 'refusal', 'complaint', 'complaint', 'b63887', 'b64087', 'b64088', 'b64089', 'b63959', 'b64090', 'record', 'include', 'investigative', 'report', 'and/or']
Original Request: A copy of permits documents for {.} under permit # 14 264777 BLD 00 SR & 13 264093 BLD 00 SR (party wall agreement).
Tokens prepared for LDA: ['permit', 'document', 'permit', '264777', '264093', 'party', 'agreement']
Original Request: Copies of Plumbing Data Sheets, plumbing inspection and test records for {} under permit # 2010-13 6882 PLB 00 PS.
Tokens prepared for LDA: ['copy', 'plumbing', 'sheet', 'plumb', 'inspection', 'record', 'permit']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A copy of Toronto Public Health inspection report following investigation at {} on Jul. 20, 2017. Reference CRSIR# 113620.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'inspection', 'report', 'follow', 'investigation', 'reference', 'crsir', '113620']
Original Request: A complete copy of Toronto Water file for {}. Including a copy of work order 1051931 and all related records.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'include', 'order', '1051931', 'relate', 'record']
Original Request: A complete copy of Toronto Water file for {}.
Tokens prepared for LDA: ['complete', 'toronto', 'water']
Original Request: A complete copy of Toronto Water file for {}.
Tokens prepared for LDA: ['complete', 'toronto', 'water']
Original Request: Record of any changes to water pressure for service lines to {}, pipe description and a description of the drainage system. Record search from as far back as possible to present.
Tokens prepared for LDA: ['record', 'change', 'water', 'pressure', 'service', 'description', 'description', 'drainage', 'record', 'search', 'possible', 'present']
Original Request: A copy of Urban Forestry records for {} from Jan. 1 2000 to Dec. 31, 2017.
Tokens prepared for LDA: ['urban', 'forestry', 'record', 'january', 'december']
Original Request: A copy of incident report and record of inspection by Toronto Water for {.} relating to flooding incident on June 28. 2017.
Tokens prepared for LDA: ['incident', 'report', 'record', 'inspection', 'toronto', 'water', 'relate', 'flood', 'incident']
Original Request: A police file relating to incident on June 4, 2016 relating to {} and {}. This incident was about some trades people being assaulted by people at {}.
Tokens prepared for LDA: ['police', 'relate', 'incident', 'relate', 'incident', 'trade', 'people', 'assault', 'people']
Original Request: A police and court file relating to {}. City successfully sued {} for noise violations arising from construction work. Record search from 2006-2007.
Tokens prepared for LDA: ['police', 'court', 'relate', 'successfully', 'noise', 'violation', 'arise', 'construction', 'record', 'search']
Original Request: All reports, records of violations, complaints filed against {.} from Jan. 1, 1980 to Aug. 1, 2017. Please include any complaints about trees from neighbours at {} encroaching on {.}
Tokens prepared for LDA: ['report', 'record', 'violation', 'complaint', 'january', 'august', 'include', 'complaint', 'neighbour', 'encroach']
Original Request: Records of Les Hargraves, Building Inspector, for inspection, visits, communications with owner and all related matters for {} from July 1, 2017 to July 31, 2017.
Tokens prepared for LDA: ['record', 'hargraves', 'building', 'inspector', 'inspection', 'visit', 'communication', 'owner', 'relate', 'matter']
Original Request: A summary of all Property Standards/MRAB/Investigation service requests for the apartment buildings at 322 Eglinton Ave East and 299 Roehampton Avenue (managed by KG Apartment Holdings Inc.). This is to include Notice of Violations and Orders to Comply.
Tokens prepared for LDA: ['summary', 'property', 'standard', 'investigation', 'service', 'request', 'apartment', 'building', 'eglinton', 'roehampton', 'avenue', 'manage', 'apartment', 'holding', 'include', 'notice', 'violation', 'order', 'comply']
Original Request: Toronto Animal Services records from Carl Bandow, Enforcement Supervisor on any previous wrongdoing i.e. biting, nipping by dog owned by {}. Record search from Oct. 20, 2014 to July
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'record', 'bandow', 'enforcement', 'supervisor', 'previous', 'wrongdoing', 'record', 'search', 'october']
Original Request: Toronto Animal Services records from Carl Bandow, Enforcement Supervisor on any previous wrongdoing of dog, a black Labrador mix owned by {}. Custodian is {} who lives at {}.
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'record', 'bandow', 'enforcement', 'supervisor', 'previous', 'wrongdoing', 'black', 'labrador', 'custodian']
Original Request: Toronto Animal Services records from Carl Bandow, Enforcement Supervisor on any wrongdoing, ie biting other dogs or people by dogs owned or walked by {} residing at {}. Record search from Jan. 1, 1990 to July 27, 2017
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'record', 'bandow', 'enforcement', 'supervisor', 'wrongdoing', 'people', 'reside', 'record', 'search', 'january']
Original Request: A copy of report for the incident that occurred at Activity Camp on July 27, 2017 at Smithfield Middle School, 175 Mount Olive Dr., Etobicoke.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'activity', 'smithfield', 'middle', 'school', 'mount', 'olive', 'etobicoke']
Original Request: A copy of dog bite incident report relating to {}. Incident # A17-030247 and the incident occurred on July 3, 2017 at Trinity Bellwoods Park.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'incident', '030247', 'incident', 'occur', 'trinity', 'bellwoods']
Original Request: Records pertaining to on-street parking permits, orders, violations etc., for {.}. 1. Record of any on-street parking permits have been issued for the Property; 2. Whether the Property is located within an on-street parking regulated
Tokens prepared for LDA: ['record', 'pertain', 'street', 'permit', 'order', 'violation', 'record', 'street', 'permit', 'issue', 'property', 'property', 'locate', 'street', 'regulate']
Original Request: A copy of ML&S report on complaints filed against Mainstay Housing for {}.
Tokens prepared for LDA: ['report', 'complaint', 'mainstay', 'housing']
Original Request: A copy of tree protection complaint for {}. Record search is for July 2017.
Tokens prepared for LDA: ['protection', 'complaint', 'record', 'search']
Original Request: An itemized list of the direct costs of the new stairs at the south end of Tom Riley Park. These costs should include materials & supplies, all staff costs, and any other costs incurred in constructing the stairs.
Tokens prepared for LDA: ['itemize', 'direct', 'stair', 'south', 'riley', 'include', 'material', 'supply', 'staff', 'incur', 'construct', 'stair']
Original Request: Copies of any applications or proposals to change the zoning for {} from it's current single family detached status.
Tokens prepared for LDA: ['copy', 'application', 'proposal', 'change', 'current', 'single', 'family', 'detach', 'status']
Original Request: A copy of complaint transcript/report, investigation details and the officer notes pertaining to investigation at {.}. Ref. # 17 186597 ZON 00 IR. Record search from Jun. 20, 2017 to present.
Tokens prepared for LDA: ['complaint', 'transcript', 'report', 'investigation', 'officer', 'pertain', 'investigation', '186597', 'record', 'search', 'present']
Original Request: A list of all bed bug related complaints/investigations made in relation to {}. Record search from 2012 to present. Details reports on bed bug investigations from 2010 to 2012.
Tokens prepared for LDA: ['relate', 'complaint', 'investigation', 'relation', 'record', 'search', 'present', 'details', 'report', 'investigation']
Original Request: Copies of all permits and permit applications issued for {} from 1960 to present.
Tokens prepared for LDA: ['copy', 'permit', 'permit', 'application', 'issue', 'present']
Original Request: A copy of archived file Fonds 211, Series 1620, File 5012, Box 220137, Folio 8 in relation to {.}.
Tokens prepared for LDA: ['archive', 'fonds', 'series', '220137', 'folio', 'relation']
Original Request: A copy of Toronto Water file for {} ref. service # 4696844. Record search from Jun. 25, 2017 to Jul. 20, 2017.
Tokens prepared for LDA: ['toronto', 'water', 'service', '4696844', 'record', 'search']
Original Request: Records of all watermain breaks or any other issues which may have required road work from {}. Record search May 1, 2017 to present.
Tokens prepared for LDA: ['record', 'watermain', 'break', 'issue', 'require', 'record', 'search', 'present']
Original Request: All Records related to watermain located at {} assigned to water junction nodes - ID # WJ4019729-WJ4019732. Record search from as far back to present.
Tokens prepared for LDA: ['record', 'relate', 'watermain', 'locate', 'assign', 'water', 'junction', 'wj4019729-wj4019732', 'record', 'search', 'present']
Original Request: A copy of animal services file in relation to dog bite incident involving {} and a dog owned by {} of {} on Oct. 29, 2014.
Tokens prepared for LDA: ['animal', 'service', 'relation', 'incident', 'involve', 'october']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: A copy of unsafe work order (15269885) issued to {.} including relevant inspection notes and Engineers reports. Record search from Dec. 1, 2015 to Dec. 1, 2016.
Tokens prepared for LDA: ['unsafe', 'order', '15269885', 'issue', 'include', 'relevant', 'inspection', 'engineer', 'report', 'record', 'search', 'december', 'december']
Original Request: A copy of ML&S complaint records regarding dog owned by {} of {}. Ref. CRSIR# 113884 & A 227. Record search from Jul. 16, 2017 to Aug. 1, 2017.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'crsir', '113884', 'record', 'search', 'august']
Original Request: All plumbing inspection reports for {.} under permit #15 265918 PLB 00 PS.
Tokens prepared for LDA: ['plumb', 'inspection', 'report', 'permit', '265918']
Original Request: A copy of road damage deposit file for {} including receipt of payment made by {}. Record search from Jan. 1, 2003 to Dec. 31, 2005.
Tokens prepared for LDA: ['damage', 'deposit', 'include', 'receipt', 'payment', 'record', 'search', 'january', 'december']
Original Request: A copy of drawings on planning file for {}, file # A 0348/04 TEY; in relation to rear addition to house.
Tokens prepared for LDA: ['drawing', '0348/04', 'relation', 'addition', 'house']
Original Request: Record of all permit documents (permit applications, notices work orders etc.) for {.}. Record search from Aug. 23, 1923 to present.
Tokens prepared for LDA: ['record', 'permit', 'document', 'permit', 'application', 'notice', 'order', 'record', 'search', 'august', 'present']
Original Request: Any and all funding contracts since Jan 1, 2012 to present between the City and Houselink Community Homes.
Tokens prepared for LDA: ['contract', 'present', 'houselink', 'community', 'home']
Original Request: Copies of all correspondence including but not limited to e-mails and letters in opposition or objection to building/demolition permit (s) issued to {.} under permit 17 156284 BLD 00 NH and 17 156295 DEM 00 DM.
Tokens prepared for LDA: ['copy', 'correspondence', 'include', 'limit', 'letter', 'opposition', 'objection', 'build', 'demolition', 'permit', 'issue', 'permit', '156284', '156295']
Original Request: All building inspection notes and reports for {.}. Record search from Jul. 1, 2013 to Jan. 1, 2015.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'record', 'search', 'january']
Original Request: Record of all investigation reports for {} from Toronto Public Health, Toronto Building, Toronto Fire & ML&S. Record search to be as far back as possible.
Tokens prepared for LDA: ['record', 'investigation', 'report', 'toronto', 'public', 'health', 'toronto', 'building', 'toronto', 'ml&s.', 'record', 'search', 'possible']
Original Request: Any and all information held by the City concerning male/female ratio among City of Toronto staff.
Tokens prepared for LDA: ['information', 'concern', 'female', 'ratio', 'toronto', 'staff']
Original Request: Record of any permits to take water (PTTW) or discharge agreements available for {.}.
Tokens prepared for LDA: ['record', 'permit', 'water', 'discharge', 'agreement', 'available']
Original Request: Record of any permits to take water (PTTW) or discharge agreements available for {.}.
Tokens prepared for LDA: ['record', 'permit', 'water', 'discharge', 'agreement', 'available']
Original Request: Record of the elevations of sanitary sewer systems connecting to the property line of {.} including details on the diameter and material composition of the pipes.
Tokens prepared for LDA: ['record', 'elevation', 'sanitary', 'sewer', 'connect', 'property', 'include', 'diameter', 'material', 'composition']
Original Request: Any unpublished records (including e-mails, report or memos) that would explain the system used at the City of Toronto property currently leased to Corus Entertainment - 25 Dockside Dr., to deal with methane gas and raised concerns about its presence.
Tokens prepared for LDA: ['unpublished', 'record', 'include', 'report', 'explain', 'toronto', 'property', 'currently', 'lease', 'corus', 'entertainment', 'dockside', 'methane', 'raise', 'concern', 'presence']
Original Request: All information and documentation about the income suite/two family dwelling home at {.}.
Tokens prepared for LDA: ['information', 'documentation', 'income', 'suite', 'family', 'dwell']
Original Request: A copy of ML&S investigation report for {} ref. # 20139190. Record search from May 20, 2017 to present.
Tokens prepared for LDA: ['investigation', 'report', '20139190', 'record', 'search', 'present']
Original Request: Record the name and contact information of the Construction Company that was completing Road Work, at/on Lawrence Ave. W. & Corona St. in North York (Ward 15) on June 10, 2016.
Tokens prepared for LDA: ['record', 'contact', 'information', 'construction', 'company', 'complete', 'lawrence', 'corona', 'north']
Original Request: Record of the status of violation notices issued against Canadian Analytical Laboratories Inc. ? 1060 Tapscott Rd., namely: 1. January 26, 2016 - C681-NOV - 30D-2016-04545-32327 2. May 18, 2016 - C681-NOV - 14D2016-04795-32327 etc.
Tokens prepared for LDA: ['record', 'status', 'violation', 'notice', 'issue', 'canadian', 'analytical', 'laboratory', 'tapscott', 'january', 'c681-nov', '30d-2016', '04545', '32327', 'c681-nov', '14d2016', '04795', '32327']
Original Request: A copy of animal services file related to investigation # A17-026849.
Tokens prepared for LDA: ['animal', 'service', 'relate', 'investigation', '026849']
Original Request: Copies of building, planning and property standards files for {.} from as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'property', 'standard', 'possible', 'present']
Original Request: A copy of any permits issued for protest at Allan Gardens on June 25, 2010 during the G20 Summit as per the requirements of by By-Law 608-11.
Tokens prepared for LDA: ['permit', 'issue', 'protest', 'allan', 'garden', 'summit', 'requirement']
Original Request: Record identifying the individual who requested to attendance of animal control and the OSPCA to {}. Record search Jul. 25, 2017 to Aug. 4, 2017.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'request', 'attendance', 'animal', 'control', 'ospca', 'record', 'search', 'august']
Original Request: Any communications between Evergreen Brick Works or their surrogates with any department of City of Toronto with regard to Chorley Hill Trail and Chorley Park.
Tokens prepared for LDA: ['communication', 'evergreen', 'brick', 'works', 'surrogate', 'department', 'toronto', 'regard', 'chorley', 'trail', 'chorley']
Original Request: Video surveillance recording capturing a parked hit and run incident at 2140 Avenue Rd. - Armour Heights Community Centre on July 27, 2017 at some time around 1:40 p.m. - 1:50 p.m. Subject camera should capture the exit of a vehicle between etc.
Tokens prepared for LDA: ['video', 'surveillance', 'record', 'capture', 'incident', 'avenue', 'armour', 'heights', 'community', 'centre', 'subject', 'camera', 'capture', 'vehicle']
Original Request: Record of noise violation investigation concerning {.} Record search on or about Jul. 28, 2017.
Tokens prepared for LDA: ['record', 'noise', 'violation', 'investigation', 'concern', 'record', 'search']
Original Request: A copy of final List of Final Job Evaluation Ratings and Job Descriptions for listed positions: 1. Supervisor, Transportation By-Laws -TM0273 2. Supervisor, Traffic Engineering -TM0257 3. Supervisor, Right of Way Management -TM0261
Tokens prepared for LDA: ['final', 'final', 'evaluation', 'rating', 'description', 'position', 'supervisor', 'transportation', '-tm0273', 'supervisor', 'traffic', 'engineering', '-tm0257', 'supervisor', 'right', 'management', '-tm0261']
Original Request: A copy of correspondence between {} and the City in relation to what constitutes legal occupancy at {.}. Record search from Jan. 1, 1993 to Dec. 31, 1993.
Tokens prepared for LDA: ['correspondence', 'relation', 'constitute', 'legal', 'occupancy', 'record', 'search', 'january', 'december']
Original Request: Requesting attendance records and sign-out initials for {} - Sep. 2015 to present and {} - Mar. 2017 to present at the Ellesmere ARC program.
Tokens prepared for LDA: ['request', 'attendance', 'record', 'initial', 'september', 'present', 'march', 'present', 'ellesmere', 'program']
Original Request: Following incident of overflow and flooding in the boiler room at {.} in December 2016 due to City owned sewers. Requested is any record of payment/reimbursements by the City to cover cost incurred to repair/replace the damaged boiler(s)
Tokens prepared for LDA: ['following', 'incident', 'overflow', 'flood', 'boiler', 'december', 'sewer', 'request', 'record', 'payment', 'reimbursement', 'cover', 'incur', 'repair', 'replace', 'damage', 'boiler(s']
Original Request: Record of any documents related to public health and the Province's proposed reform initiatives. These proposed reforms are attached to the Patients First initiative that discusses the Local Health Integration Networks (LHINs).
Tokens prepared for LDA: ['record', 'document', 'relate', 'public', 'health', 'province', 'propose', 'reform', 'initiative', 'propose', 'reform', 'attach', 'patient', 'initiative', 'discus', 'local', 'health', 'integration', 'network', 'lhins']
Original Request: A complete copy of Toronto Building & Transportation Services files for {.}, as well as any permits issued in relation to trees on the property. Record search from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'transportation', 'services', 'permit', 'issue', 'relation', 'property', 'record', 'search', 'january', 'present']
Original Request: A complete copy of Toronto Building & Transportation Services files for {.} as well as any permits issued in relation to trees on the property. Record search from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'transportation', 'services', 'permit', 'issue', 'relation', 'property', 'record', 'search', 'january', 'present']
Original Request: A copy of ML&S report following investigation at {} on Jul. 22, 2017.
Tokens prepared for LDA: ['report', 'follow', 'investigation']
Original Request: All work orders issued to {.} from Apr. 1, 2013 to Sep. 1, 2016.
Tokens prepared for LDA: ['order', 'issue', 'april', 'september']
Original Request: A complete copy of ML&S file for {} from Jan. 1, 200 to present.
Tokens prepared for LDA: ['complete', 'january', 'present']
Original Request: A complete copy of ML&S file for {} from Jan. 1, 200 to present.
Tokens prepared for LDA: ['complete', 'january', 'present']
Original Request: A copy of ML&S investigative report A-16-041113) following dog bite incident involving {} who was bitten on Oct. 11, 2016 by a Cane Corso. Dog is owned by {} of {}.
Tokens prepared for LDA: ['investigative', 'report', '041113', 'follow', 'incident', 'involve', 'october', 'corso']
Original Request: All records/notes relating to bite or bad behaviour incidents with dog. Most recent incident is # A17-034159. Please include records on the previous incident in 2016.
Tokens prepared for LDA: ['record', 'relate', 'behaviour', 'incident', 'recent', 'incident', '034159', 'include', 'record', 'previous', 'incident']
Original Request: All records relating to building and renovation at {}, since 2000, in particular a building permit that was issued in 2005. Record of any reviews of this permit by TRCA, Heritage, Urban Forestry and planning staff; any variances applied etc.
Tokens prepared for LDA: ['record', 'relate', 'build', 'renovation', 'particular', 'build', 'permit', 'issue', 'record', 'review', 'permit', 'heritage', 'urban', 'forestry', 'staff', 'variance', 'apply']
Original Request: A coy of all building records, including permits, contractor's notes, inspections, notices of violations, work orders for {.}. Record search from 2011 to 2013
Tokens prepared for LDA: ['build', 'record', 'include', 'permit', 'contractor', 'inspection', 'notice', 'violation', 'order', 'record', 'search']
Original Request: All documents relating to permits on {}.
Tokens prepared for LDA: ['document', 'relate', 'permit']
Original Request: A copy of report, including pictures under 311 reference # 4762489, relating to inspection on the height of sidewalk, grading compliance at {.}. Inspection was done on Aug. 2 or Aug. 3, 2017.
Tokens prepared for LDA: ['report', 'include', 'picture', 'reference', '4762489', 'relate', 'inspection', 'height', 'sidewalk', 'grade', 'compliance', 'inspection', 'august', 'august']
Original Request: Please provide the complete 'Cluster A Briefing Note', dated either July 18, 2017 or July 27, 2017, authored by the office of Patricia Walcott, General Manager of Toronto Employment & Social Services, and sent to Melissa Wong, Director, Policy and Operations.
Tokens prepared for LDA: ['provide', 'complete', 'cluster', 'briefing', 'author', 'office', 'patricia', 'walcott', 'general', 'manager', 'toronto', 'employment', 'social', 'services', 'melissa', 'director', 'policy', 'operations']
Original Request: Any and all minutes and/or notes taken at the March 16, 2017 and/or March 17, 2017 meetings or "discussion", referenced in the email with the subject line "HSF - fulfilling our commitment," sent by Patricia Walcott on March 16 2017 at 12:22pm
Tokens prepared for LDA: ['minute', 'and/or', 'march', 'and/or', 'march', 'meeting', 'discussion', 'reference', 'email', 'subject', 'fulfill', 'commitment', 'patricia', 'walcott', 'march', '12:22pm']
Original Request: Record of 311 reference # associated with slip and fall complaint made by {} on Nov. 28, 2013 at the intersection of Seawells Rd., and Neilson Ave.
Tokens prepared for LDA: ['record', 'reference', 'associate', 'complaint', 'november', 'intersection', 'seawells', 'neilson']
Original Request: Copies of all building reports on file for {.} from 1940 to present.
Tokens prepared for LDA: ['copy', 'build', 'report', 'present']
Original Request: Copies of all documents issued to {.} by property standards i.e. orders, notices etc. on issues requiring attention/remediation. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['copy', 'document', 'issue', 'property', 'standard', 'order', 'notice', 'issue', 'require', 'attention', 'remediation', 'record', 'search', 'january', 'present']
Original Request: A copy of Request for Proposal 9148-05-5048 for the Supply, Installation, Operation and Maintenance of Red-Light Camera Systems within the City of Toronto. A copy of awarded Contract No. 47012243 with Traffipax.
Tokens prepared for LDA: ['request', 'proposal', 'supply', 'installation', 'operation', 'maintenance', 'light', 'camera', 'system', 'toronto', 'award', 'contract', '47012243', 'traffipax']
Original Request: A copy of Request for Proposal 9148-05-5048 for the Supply, Installation, Operation and Maintenance of Red-Light Camera Systems within the City of Toronto. A copy of awarded Contract No. 47012243 with Traffipax.
Tokens prepared for LDA: ['request', 'proposal', 'supply', 'installation', 'operation', 'maintenance', 'light', 'camera', 'system', 'toronto', 'award', 'contract', '47012243', 'traffipax']
Original Request: All information related to drainage and swale issues from {.}. This includes correspondence with the following City of Toronto offices: Former City Councillor Ron Moeser, Councillor Hart's Office, Engineering & Construction etc.
Tokens prepared for LDA: ['information', 'relate', 'drainage', 'swale', 'issue', 'include', 'correspondence', 'follow', 'toronto', 'office', 'councillor', 'moeser', 'councillor', 'office', 'engineering', 'construction']
Original Request: Record of all incidents, by-law infractions and complaints against {.} from May 1, 2017 to present.
Tokens prepared for LDA: ['record', 'incident', 'infraction', 'complaint', 'present']
Original Request: A copy of forestry inspection report concerning the maintenance/removal of smokebush at {.}. Inspection date was in and around June 20, 2017.
Tokens prepared for LDA: ['forestry', 'inspection', 'report', 'concern', 'maintenance', 'removal', 'smokebush', 'inspection']
Original Request: A copy of forestry inspection report concerning the maintenance/removal of smokebush at {.}. Inspection date was in and around June 20, 2017.
Tokens prepared for LDA: ['forestry', 'inspection', 'report', 'concern', 'maintenance', 'removal', 'smokebush', 'inspection']
Original Request: A copy of animal services file related to investigation # A17-036310 dated Aug. 1, 2017.
Tokens prepared for LDA: ['animal', 'service', 'relate', 'investigation', '036310', 'august']
Original Request: A copy of incident report pertaining to {} while attending a day camp program at the Hollycrest Elementary School.
Tokens prepared for LDA: ['incident', 'report', 'pertain', 'attend', 'program', 'hollycrest', 'elementary', 'school']
Original Request: Overall spending/budget for all of Toronto spending which would include Smoke Free Ontario, supporting documentation showing how many different types of people were hired under the SFOA for that budget for the last 7 years if possible.
Tokens prepared for LDA: ['overall', 'spend', 'budget', 'toronto', 'spend', 'include', 'smoke', 'ontario', 'support', 'documentation', 'different', 'people', 'budget', 'possible']
Original Request: A copies of planning files 09 186831 WET 04 SA and 07 258892 WET 04 OZ in relation to {.}.
Tokens prepared for LDA: ['186831', '258892', 'relation']
Original Request: A copy of the complete coordinated street furniture program contract and any amendments. Record search from Jan. 1, 2005 to Aug. 15, 2017.
Tokens prepared for LDA: ['complete', 'coordinate', 'street', 'furniture', 'program', 'contract', 'amendment', 'record', 'search', 'january', 'august']
Original Request: A copy of fire inspection report pertaining to {}.
Tokens prepared for LDA: ['inspection', 'report', 'pertain']
Original Request: A copy of entire animal services file from ML&S and Public Health relating to the dog bite incident on July 1, 2017 at Cedarview Park. Requester and requester's dog were attacked. Reference # 112733 and animal services reference # 4705221.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'public', 'health', 'relate', 'incident', 'cedarview', 'requester', 'requester', 'attack', 'reference', '112733', 'animal', 'service', 'reference', '4705221']
Original Request: Any communication between {} or representatives and Nicole Sweetapple of ML&S regarding the property maintenance at {.}, including e-mails, mail, documents. Record search from Jan. 8, 2016 to current
Tokens prepared for LDA: ['communication', 'representative', 'nicole', 'sweetapple', 'regard', 'property', 'maintenance', 'include', 'document', 'record', 'search', 'january', 'current']
Original Request: Full information of the applicants who submitted building permits # 16-231832 BLD 00 BA;16-231832 HVA 00 MS; 16-231832 PLB 00 PS for {.}, Scarborough.
Tokens prepared for LDA: ['information', 'applicant', 'submit', 'build', 'permit', '231832', 'ba;16', '231832', '231832', 'scarborough']
Original Request: A copy of transportation Services investigative report following visit to {.} on or about Jul. 31, 2017. Copies of aerial photographs referenced by City inspector Maxwell Jeffers will on site.
Tokens prepared for LDA: ['transportation', 'services', 'investigative', 'report', 'follow', 'visit', 'copy', 'aerial', 'photograph', 'reference', 'inspector', 'maxwell', 'jeffers']
Original Request: A copy of animal services file A17-016077 regarding to the dog bite incident on or about Apr. 6, 2017 at {}.
Tokens prepared for LDA: ['animal', 'service', '016077', 'regard', 'incident', 'april']
Original Request: A complete copy of building file for {.} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: Record of any property standards investigations into basement apartment at {} including, fire inspection and any licenses obtained for the operation of a bridal business on the premises.
Tokens prepared for LDA: ['record', 'property', 'standard', 'investigation', 'basement', 'apartment', 'include', 'inspection', 'license', 'obtain', 'operation', 'bridal', 'business', 'premise']
Original Request: The number of Taxi Cabs operated in the city, including but not limited to Standard Taxi, Ambassador Taxi Cabs, TTL Taxi Cabs and Wheel Trans. The total number. How many Uber Cars are operating/registered in the City of Toronto.
Tokens prepared for LDA: ['operate', 'include', 'limit', 'standard', 'ambassador', 'wheel', 'trans', 'total', 'operate', 'register', 'toronto']
Original Request: Copies of the "Permits Issued by block number Report" which shows property address of permit, issuance date, etc., relating to on street parking permits (section 8A) that were issued to residents of Ferrier Avenue for the segment/block.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'block', 'report', 'property', 'address', 'permit', 'issuance', 'relate', 'street', 'permit', 'section', 'issue', 'resident', 'ferrier', 'avenue', 'segment', 'block']
Original Request: A list of Toronto Taxicab Owners including but not limited to Standard, Ambassador, TTL and Wheel Trans companies. List should include: full name, address and phone number.
Tokens prepared for LDA: ['toronto', 'taxicab', 'owner', 'include', 'limit', 'standard', 'ambassador', 'wheel', 'trans', 'company', 'include', 'address', 'phone']
Original Request: Copies of all construction related records for {.}, including those which identifies the builder and all contractors involved.
Tokens prepared for LDA: ['copy', 'construction', 'relate', 'record', 'include', 'identify', 'builder', 'contractor', 'involve']
Original Request: Copies of all construction related records for {.}, including those which identifies the builder and all contractors involved.
Tokens prepared for LDA: ['copy', 'construction', 'relate', 'record', 'include', 'identify', 'builder', 'contractor', 'involve']
Original Request: Record of dog owner's contact information - full name, address in relation to dog bite incident in which dog owned by {} of {.} was bitten on Aug. 7, 2017 outside {}. City inspector Sheila Fazekas.
Tokens prepared for LDA: ['record', 'owner', 'contact', 'information', 'address', 'relation', 'incident', 'august', 'outside', 'inspector', 'sheila', 'fazekas']
Original Request: This request is for the list of adjustments used to arrive at the operating expense budget figure of $10,174,385 in note 18 (page 38) of the 2016 audited financial statements:- (https://drive.google.com/file/d/0B208oCU9D8OuX2F1a0VNQUU4OWMetc.
Tokens prepared for LDA: ['request', 'adjustment', 'arrive', 'operate', 'expense', 'budget', 'figure', '10,174,385', 'audit', 'financial', 'statements:-', 'https://drive.google.com/file/d/0b208ocu9d8oux2f1a0vnquu4owmetc']
Original Request: All information related to drainage and swale issues from {.}. This includes correspondence with the following City of Toronto offices: Former City Councillor Ron Moeser, Councillor Hart's Office, Engineering & Construction etc.
Tokens prepared for LDA: ['information', 'relate', 'drainage', 'swale', 'issue', 'include', 'correspondence', 'follow', 'toronto', 'office', 'councillor', 'moeser', 'councillor', 'office', 'engineering', 'construction']
Original Request: All information related to drainage and swale issues from {.}. This includes correspondence with the following City of Toronto offices: Former City Councillor Ron Moeser, Councillor Hart's Office, Engineering & Construction etc.
Tokens prepared for LDA: ['information', 'relate', 'drainage', 'swale', 'issue', 'include', 'correspondence', 'follow', 'toronto', 'office', 'councillor', 'moeser', 'councillor', 'office', 'engineering', 'construction']
Original Request: All information related to drainage and swale issues from {}. This includes correspondence with the following City of Toronto offices: Former City Councillor Ron Moeser, Councillor Hart's Office, Engineering & Construction Services etc.
Tokens prepared for LDA: ['information', 'relate', 'drainage', 'swale', 'issue', 'include', 'correspondence', 'follow', 'toronto', 'office', 'councillor', 'moeser', 'councillor', 'office', 'engineering', 'construction', 'services']
Original Request: All information related to drainage and swale issues from {.}. This includes correspondence with the following City of Toronto offices: Former City Councillor Ron Moeser, Councillor Hart's Office, Engineering & Construction etc.
Tokens prepared for LDA: ['information', 'relate', 'drainage', 'swale', 'issue', 'include', 'correspondence', 'follow', 'toronto', 'office', 'councillor', 'moeser', 'councillor', 'office', 'engineering', 'construction']
Original Request: Any calls to 911 regarding motorcycles speeding on Royal York Rd., specifically prior to an accident on July 22, 2016 at appx. 7.50 pm. Want to know if any such calls exist; a copy of the recording of the call and the contact information of the caller
Tokens prepared for LDA: ['regard', 'motorcycle', 'speed', 'royal', 'specifically', 'prior', 'accident', 'exist', 'record', 'contact', 'information', 'caller']
Original Request: Copies of all records related to folder No. 16198939 including dust control plan documents, correspondence and/feedback prepared. Jan. 2016 to Dec. 2016.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'folder', '16198939', 'include', 'control', 'document', 'correspondence', 'feedback', 'prepare', 'january', 'december']
Original Request: Copies of any by-law violations or notices of complaints filed against {.} from 2015 to 2017.
Tokens prepared for LDA: ['copy', 'violation', 'notice', 'complaint']
Original Request: Inspection records and notices issued from Building Dept. and/or Zoning Dept. for {.}, Etobicoke.
Tokens prepared for LDA: ['inspection', 'record', 'notice', 'issue', 'building', 'and/or', 'zoning', 'etobicoke']
Original Request: All City of Toronto unclaimed cheques drawn between Jan. 1, 2016 and Dec. 31, 2016, and still outstanding by July 1, 2017: 1. cheque number 2. cheque date 3. amount 4. beneficiary name.
Tokens prepared for LDA: ['toronto', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'cheque', 'cheque', 'beneficiary']
Original Request: In relation to Folder # 15143269 NOI 00 IR, a copy of the warning/compliance letter to {} and final report; details of the noise complaint against {.} dated approx. May 14, 2015; details of noise complaint against {}
Tokens prepared for LDA: ['relation', 'folder', '15143269', 'compliance', 'letter', 'final', 'report', 'noise', 'complaint', 'approx', 'noise', 'complaint']
Original Request: Entire building permit file for {.} including any party wall agreement drawn between owners of {.}, and any written authorization given by {.} to {.} for any work done. Record search 2007-2017.
Tokens prepared for LDA: ['entire', 'build', 'permit', 'include', 'party', 'agreement', 'owner', 'write', 'authorization', 'record', 'search']
Original Request: Entire building permit file for {.} including any party wall agreement drawn between owners of {.}, and any written authorization given by {.} to {.} for any work done. Record search 2007-2017.
Tokens prepared for LDA: ['entire', 'build', 'permit', 'include', 'party', 'agreement', 'owner', 'write', 'authorization', 'record', 'search']
Original Request: A copy of inspector's report from Gurpal Basra relating to the mold inspection at {. Inspection was done on Aug. 17, 2017.
Tokens prepared for LDA: ['inspector', 'report', 'gurpal', 'basra', 'relate', 'inspection', 'inspection', 'august']
Original Request: All records, communication, reports etc., relating to the presence or potential of contaminants and air quality issues at 277 Victoria St., and adjoining building at 38-40 Dundas St. E. Any record of communication regarding the professional standing etc.
Tokens prepared for LDA: ['record', 'communication', 'report', 'relate', 'presence', 'potential', 'contaminant', 'quality', 'issue', 'victoria', 'adjoin', 'build', 'dundas', 'record', 'communication', 'regard', 'professional', 'stand']
Original Request: A complete copy of Toronto Water service records and documents for {.}.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'service', 'record', 'document']
Original Request: A copy of investigative file for {.} in relation to backyard shed; ref. # 11 316403 ZON 00 IR and 1278592. Record search from Nov. 25, 2011 to present.
Tokens prepared for LDA: ['investigative', 'relation', 'backyard', '316403', '1278592', 'record', 'search', 'november', 'present']
Original Request: Copies of all notes and documents related to open building permits for {}. Record search from Jan. 1, 2012 to present.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'build', 'permit', 'record', 'search', 'january', 'present']
Original Request: Record of the amounts paid (monetary value of each payment) by the City to settle excessive force complaints against Toronto Police Services and its officers. Record search from Jan. 1, 2011 to Dec. 31, 2016.
Tokens prepared for LDA: ['record', 'monetary', 'value', 'payment', 'settle', 'excessive', 'force', 'complaint', 'toronto', 'police', 'services', 'officer', 'record', 'search', 'january', 'december']
Original Request: A copy of inspection report for {.} regarding renovations at the property. Record search from Sep. 2016 to present.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'renovation', 'property', 'record', 'search', 'september', 'present']
Original Request: A copy of all Committee of Adjustment records for {} prior to 2008.
Tokens prepared for LDA: ['committee', 'adjustment', 'record', 'prior']
Original Request: All records associated with noise complaints regarding {} ref. # 4785238 & 4663952.
Tokens prepared for LDA: ['record', 'associate', 'noise', 'complaint', 'regard', '4785238', '4663952']
Original Request: Record identifying the person responsible for initiating fire violation investigation at {}. Record search from Mar. 1, 2017 to Jun. 9, 2017.
Tokens prepared for LDA: ['record', 'identify', 'person', 'responsible', 'initiate', 'violation', 'investigation', 'record', 'search', 'march']
Original Request: Record of the reference number and name of the 311 agent who assisted with a recent noise complaint made by {} of {}. Record search Jul. 1, 2017 to Jul. 31, 2017.
Tokens prepared for LDA: ['record', 'reference', 'agent', 'assist', 'recent', 'noise', 'complaint', 'record', 'search']
Original Request: A copy of noise complaints filed against {} from August 2012 to August 2017.
Tokens prepared for LDA: ['noise', 'complaint', 'august', 'august']
Original Request: A current list of all coin laundries / laundromats (B-57 license) in the City of Toronto with name of business and exact address.
Tokens prepared for LDA: ['current', 'laundry', 'laundromat', 'license', 'toronto', 'business', 'exact', 'address']
Original Request: In relation to claim report CS 16-70188 from Toronto Transportation Services, dated Nov. 1, 2016 the following are requested: 1. An unredacted copy of the report, except for portions related to the field investigator and supervisor's names etc.
Tokens prepared for LDA: ['relation', 'claim', 'report', '70188', 'toronto', 'transportation', 'services', 'november', 'follow', 'request', 'unredacted', 'report', 'portion', 'relate', 'field', 'investigator', 'supervisor']
Original Request: Any and all documentation, including photographs and itemized invoices, for the following charges brought against {.}
Tokens prepared for LDA: ['documentation', 'include', 'photograph', 'itemize', 'invoice', 'follow', 'charge', 'bring']
Original Request: Copies of inspection reports and work orders for {} from Jan. 1, 2007 to Aug. 18, 2017.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'order', 'january', 'august']
Original Request: Copies of work orders issued to {.} in relation to drainage, roof, sewer, storm water system issues etc.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'relation', 'drainage', 'sewer', 'storm', 'water', 'issue']
Original Request: Record of any complaints (in audio format) made by {} regarding {} on Aug. 22, 2017.
Tokens prepared for LDA: ['record', 'complaint', 'audio', 'format', 'regard', 'august']
Original Request: A complete copy of investigative notes into the treatment of dog at {.}; 311 ref. # 4713639 & 4752845. Record search from Jun. 10, 2017 to Aug. 21, 2017.
Tokens prepared for LDA: ['complete', 'investigative', 'treatment', '4713639', '4752845', 'record', 'search', 'august']
Original Request: A copy of incident report concerning slip and fall incident involving {} while at the Joseph J Piccininni Community Centre on Jul. 20, 2017.
Tokens prepared for LDA: ['incident', 'report', 'concern', 'incident', 'involve', 'joseph', 'piccininni', 'community', 'centre']
Original Request: Information relating to any water main upgrades and sewer waste water upgrades for {} from 1975 to present.
Tokens prepared for LDA: ['information', 'relate', 'water', 'upgrade', 'sewer', 'waste', 'water', 'upgrade', 'present']
Original Request: All notes, logs, investigations, contacts, results, letters and any other information re: complaints made at the Scarborough Shelter by {}. Ticket # 115620. Record search from Jan. 20, 2017 to Aug. 22, 2017.
Tokens prepared for LDA: ['investigation', 'contact', 'result', 'letter', 'information', 'complaint', 'scarborough', 'shelter', 'ticket', '115620', 'record', 'search', 'january', 'august']
Original Request: A copy of the entire animal service file as well as any other information relating to the dog bite incident that occurred on June 14, 2017 near {}.
Tokens prepared for LDA: ['entire', 'animal', 'service', 'information', 'relate', 'incident', 'occur']
Original Request: A copy of Public Health inspector's file relating to {.} bed bug issues. Please include all communications on this matter under file # 103536. Record search from Feb. 2017 to June 30, 2017;
Tokens prepared for LDA: ['public', 'health', 'inspector', 'relate', 'issue', 'include', 'communication', '103536', 'record', 'search', 'february']
Original Request: Record of any existing orders or investigations regarding {.} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART) projects.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {.} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART) projects.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Table or spreadsheet titled "Essential Furniture Flat Rate Estimates" with all item costs included. Record search from jan. 1, 2017 to July 4, 2017.
Tokens prepared for LDA: ['table', 'spreadsheet', 'title', 'essential', 'furniture', 'estimate', 'include', 'record', 'search']
Original Request: The data used to establish the flat rates for beds for the Housing Stabilization Fund policy that was implemented in July 2017, including which stores were contacted and the dates they were contacted, the prices of the beds for each store.
Tokens prepared for LDA: ['datum', 'establish', 'housing', 'stabilization', 'policy', 'implement', 'include', 'store', 'contact', 'contact', 'price', 'store']
Original Request: All investigative details into bylaw infraction for dumping at {} for which then tenant {} was fined.
Tokens prepared for LDA: ['investigative', 'bylaw', 'infraction', 'tenant']
Original Request: Copies of all electronic and written correspondence as well as any related attachments to said correspondence related to the City of Toronto's review of short-term rentals to/from the following representatives: InsideAirbnb; AirDNA; Fairbnb etc.
Tokens prepared for LDA: ['copy', 'electronic', 'write', 'correspondence', 'relate', 'attachment', 'correspondence', 'relate', 'toronto', 'review', 'short', 'rental', 'follow', 'representative', 'insideairbnb', 'airdna', 'fairbnb']
Original Request: A copy of building file records under permit #15 266002 BLD 00 BAS for {.} or any other record which identified future development use for the property.
Tokens prepared for LDA: ['build', 'record', 'permit', '266002', 'record', 'identify', 'future', 'development', 'property']
Original Request: A copy of inspector's report from Gurpal Basra relating to the mold inspection at {. Inspection was done on Aug. 17, 2017.
Tokens prepared for LDA: ['inspector', 'report', 'gurpal', 'basra', 'relate', 'inspection', 'inspection', 'august']
Original Request: Copies of building inspection record from file 17-194530-BR FOR {.}. Record search from Jul. 12, 2017 to present.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'record', '194530-br', 'record', 'search', 'present']
Original Request: A complete copy of noise investigative file for {}, file # 17 202480 NOI 00 IR.
Tokens prepared for LDA: ['complete', 'noise', 'investigative', '202480']
Original Request: Any and all notes, documents, records of ML&S relating to an investigation conducted into zoning compliance at {.}, including a lease of renters (and proof of rent payment if provided) relied upon to claim zoning complied with.
Tokens prepared for LDA: ['document', 'record', 'relate', 'investigation', 'conduct', 'compliance', 'include', 'lease', 'renter', 'proof', 'payment', 'provide', 'claim', 'comply']
Original Request: Information broken down by year (from October 15, 2014 to August 28, 2017) of all threats made to the Mayor or City Councillors. Broken down to reflect whether the threat (those that warranted notification to Corporate Security) etc.
Tokens prepared for LDA: ['information', 'break', 'october', 'august', 'threat', 'mayor', 'councillor', 'break', 'reflect', 'threat', 'warrant', 'notification', 'corporate', 'security']
Original Request: Municipal Liquor License clearances for 491-499 Church Street that had been issued from 1970 to present.
Tokens prepared for LDA: ['municipal', 'liquor', 'license', 'clearance', 'church', 'street', 'issue', 'present']
Original Request: A police file relating to incident on April 29, 2015 relating to {.} and {.}.
Tokens prepared for LDA: ['police', 'relate', 'incident', 'april', 'relate']
Original Request: Complete copies of building and heritage file for {.} from 2010 to present.
Tokens prepared for LDA: ['complete', 'build', 'heritage', 'present']
Original Request: A complete copy of building file (notes compliance letters, inspection notes etc.) for {}. Record search from 2013 to present.
Tokens prepared for LDA: ['complete', 'build', 'compliance', 'letter', 'inspection', 'record', 'search', 'present']
Original Request: All demolition and building permit records for {.}; as well as information on any open tickets with Toronto Water Division. Record search from 1950 to present.
Tokens prepared for LDA: ['demolition', 'build', 'permit', 'record', 'information', 'ticket', 'toronto', 'water', 'division', 'record', 'search', 'present']
Original Request: A copy of investigative report from ML&S following inspection at {.}, ref. # 473-6969. Record search from Jul. 30, 2017 to Aug. 10, 2017.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'inspection', 'record', 'search', 'august']
Original Request: A copy of investigative report from ML&S following inspection at {}, ref. # 473-6969. Record search from Jul. 30, 2017 to Aug. 10, 2017.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'inspection', 'record', 'search', 'august']
Original Request: Any building permits, or by-law zone variation, outcome, reports for {} from 2010 to 2015. Also, reports on bed bugs, other pests and any tenants' complaints.
Tokens prepared for LDA: ['build', 'permit', 'variation', 'outcome', 'report', 'report', 'tenant', 'complaint']
Original Request: Record of any advisories or notices of violations issued to {.} from Jan. 1, 2014 to Jul. 31, 2017.
Tokens prepared for LDA: ['record', 'advisory', 'notice', 'violation', 'issue', 'january']
Original Request: Record of building related complaints made against {} including the associated report (s), name of the complainant and City staff who received the complaint. Record search Oct. 1, 2014 to Nov. 30, 2014.
Tokens prepared for LDA: ['record', 'build', 'relate', 'complaint', 'include', 'associate', 'report', 'complainant', 'staff', 'receive', 'complaint', 'record', 'search', 'october', 'november']
Original Request: Copies of all fire and building inspection reports for {.} from Jan. 1, 2002 to Jul. 1, 2017.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'january']
Original Request: All records associated with the following Toronto Water files for {}: CSR#973190, 974780, 974725 & 973948. Record search from Jun. 2017 to Jul. 2017.
Tokens prepared for LDA: ['record', 'associate', 'follow', 'toronto', 'water', 'csr#973190', '974780', '974725', '973948', 'record', 'search']
Original Request: Parking infraction notice data for Booth Ave., Paisley Ave., Colgate Ave., including time of infraction, date, infraction and officer number, fine from Toronto Parking Enforcement. Record search from Aug. 1, 2016 to Aug. 23, 2017.
Tokens prepared for LDA: ['parking', 'infraction', 'notice', 'datum', 'booth', 'paisley', 'colgate', 'include', 'infraction', 'infraction', 'officer', 'toronto', 'parking', 'enforcement', 'record', 'search', 'august', 'august']
Original Request: Documents related to the by-law enforcement for {} from Jan. 12, 2016 to Aug. 30, 2017. Eddie Capocci was the ML&S officer.
Tokens prepared for LDA: ['document', 'relate', 'enforcement', 'january', 'august', 'eddie', 'capocci', 'officer']
Original Request: For the Enbridge above-ground pipe installation at teh SW side of Charles St. W and Balmuto St. (beside the Rabba Store), the following is requested. 1. Application made by Enbridge under the Municipal Consent Regulations, and all attachments.
Tokens prepared for LDA: ['enbridge', 'grind', 'installation', 'charles', 'balmuto', 'rabba', 'store', 'follow', 'request', 'application', 'enbridge', 'municipal', 'consent', 'regulation', 'attachment']
Original Request: Regarding the Enbridge above-ground installation in front of St. Georges Church at the intersection of Duplex Avenue and Lytton Boulevard (opposite 42 Lytton Boulevard): 1The application made by Enbridge under the Municipal Consent Regulations.
Tokens prepared for LDA: ['regard', 'enbridge', 'grind', 'installation', 'george', 'church', 'intersection', 'duplex', 'avenue', 'lytton', 'boulevard', 'opposite', 'lytton', 'boulevard', 'application', 'enbridge', 'municipal', 'consent', 'regulation']
Original Request: A complete copy of Toronto Fire Services file relating to a water escape at {}., on March 21, 2011, including, but not limited to, copies of witness statements, notes, photos, audio recordings of the 911 calls and dispatch and attendance audio.
Tokens prepared for LDA: ['complete', 'toronto', 'services', 'relate', 'water', 'escape', 'march', 'include', 'limit', 'witness', 'statement', 'photo', 'audio', 'recording', 'dispatch', 'attendance', 'audio']
Original Request: Copies of accident/incident report for {} at Claireville Day Camp.
Tokens prepared for LDA: ['copy', 'accident', 'incident', 'report', 'claireville']
Original Request: A copy of all records released under FOI# 2015-02173 in relation to the operations of UBER Canada.
Tokens prepared for LDA: ['record', 'release', '02173', 'relation', 'operation', 'canada']
Original Request: A copy of fire investigative records into the report of a potential fire hazard in the theatre of {.}. Record search from Apr. 27, 2016 to May 5, 2017.
Tokens prepared for LDA: ['investigative', 'record', 'report', 'potential', 'hazard', 'theatre', 'record', 'search', 'april']
Original Request: A copy of ML&S investigative report following dog bite incident involving {} who was bitten on Aug. 8, 2017 at or near {} by a dog owned by {}.
Tokens prepared for LDA: ['investigative', 'report', 'follow', 'incident', 'involve', 'august']
Original Request: Copies of all inspection and permit documents for {.} under permit # 12-188902 BHP including final sign off documents. Record search Jun. 2012 to Jun. 2014
Tokens prepared for LDA: ['copy', 'inspection', 'permit', 'document', 'permit', '188902', 'include', 'final', 'document', 'record', 'search']
Original Request: Record of all property standards orders issued against {.} including associated file records, from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['record', 'property', 'standard', 'order', 'issue', 'include', 'associate', 'record', 'january', 'present']
Original Request: The identity of the complainant who complained about lawnmower noise at {.} on or about Aug. 15, 2017, prior to 7:00 a.m.
Tokens prepared for LDA: ['identity', 'complainant', 'complain', 'lawnmower', 'noise', 'august', 'prior']
Original Request: All records for building permits on file for {}. Search is from 1940 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'search', 'present']
Original Request: All records for building permits on file for {}. Search is from 1940 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'search', 'present']
Original Request: Telephone transcript with 311 staff on September 6, 2017 from 3:02 pm to 3:20 pm :Test Shots performed by Toronto Water around 11:30 am to 12:00 pm at {}. Also a copy of work done by Toronto Water on the property.
Tokens prepared for LDA: ['telephone', 'transcript', 'staff', 'september', 'shot', 'perform', 'toronto', 'water', '11:30', '12:00', 'toronto', 'water', 'property']
Original Request: Copies of records released under previous FOI requests. AG-2017-01020, AG-2015-00045, AG-2015-00047, AG-2015-00692, AG-2015-00925, AG-2015-01457, AG-2015-01517, AG-2015-01665, AG-2016-00218, AG-2016-01185, AG-2016-01190, AG-2016-01294, AG-2016-01931,
Tokens prepared for LDA: ['copy', 'record', 'release', 'previous', 'request', 'ag-2017', '01020', 'ag-2015', '00045', 'ag-2015', '00047', 'ag-2015', '00692', 'ag-2015', '00925', 'ag-2015', '01457', 'ag-2015', '01517', 'ag-2015', '01665', 'ag-2016', '00218', 'ag-2016', '01185', 'ag-2016', '01190', 'ag-2016', '01294', 'ag-2016', '01931']
Original Request: A complete copy of building file (excluding building permit) for {.} under permit # 10 214495.
Tokens prepared for LDA: ['complete', 'build', 'exclude', 'build', 'permit', 'permit', '214495']
Original Request: Copies of the Strategic Communication Plan; Annual Communication Plan and associated e-mails from April 1, 2015 to present. Any internal communication regarding indoor air quality in the office of Toronto Atmospheric Fund since March 15, 2015.
Tokens prepared for LDA: ['copy', 'strategic', 'communication', 'annual', 'communication', 'associate', 'april', 'present', 'internal', 'communication', 'regard', 'indoor', 'quality', 'office', 'toronto', 'atmospheric', 'march']
Original Request: Copies of building permit records for the property located at {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'record', 'property', 'locate']
Original Request: ML&S files for {.}, inspection dates June 29, 2017; # 203749 (July 23, 2017); # 226375 (Aug. 31, 2017); #231754 (Sept. 12, 2017).
Tokens prepared for LDA: ['inspection', '203749', '226375', 'august', '231754', 'september']
Original Request: A copy of ML&S investigative report (A-16-041113) following dog bite incident involving {} who was bitten on Oct. 11, 2016 by a Cane Corso. Dog is owned by {} of {}.
Tokens prepared for LDA: ['investigative', 'report', '041113', 'follow', 'incident', 'involve', 'october', 'corso']
Original Request: In relation to contract awarded to Brains II Solutions Inc., AS16-092P by the Toronto District School Board, requested are: 1. All records in the possession of the City and/or TDSB pertaining to the Contract including, but not limited to etc.
Tokens prepared for LDA: ['relation', 'contract', 'award', 'brain', 'solution', 'toronto', 'district', 'school', 'board', 'request', 'record', 'possession', 'and/or', 'pertain', 'contract', 'include', 'limit']
Original Request: All inspection records and renovation contracts that are/were in progress at Toronto Community Housing's Development 218 Victoria Park Chester Le from September 2014 to present.
Tokens prepared for LDA: ['inspection', 'record', 'renovation', 'contract', 'progress', 'toronto', 'community', 'housing', 'development', 'victoria', 'chester', 'september', 'present']
Original Request: A copy of the dog attack report with respect to [an individual]. The incident occurred on July 15, 2009.
Tokens prepared for LDA: ['attack', 'report', 'respect', 'individual].', 'incident', 'occur']
Original Request: A copy of all complaints, inspections, violations, orders, investigations, notices etc. for Unit 1603, [a specified address], from as far back as possible.
Tokens prepared for LDA: ['complaint', 'inspection', 'violation', 'order', 'investigation', 'notice', 'specify', 'address', 'possible']
Original Request: A copy of the building file for [a specified address], Toronto. File number 320113.
Tokens prepared for LDA: ['build', 'specify', 'address', 'toronto', '320113']
Original Request: A copy of the fire report for [a specified address], Scarborough, from Oct. 27, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'october']
Original Request: A copy of the fire report for [a specified address], Scarborough, from Dec. 3, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'december']
Original Request: A copy of all records including inspection notes from September 2007 to present regarding [a specified address] (disregarding any emails from the requester).
Tokens prepared for LDA: ['record', 'include', 'inspection', 'september', 'present', 'regard', 'specify', 'address', 'disregard', 'email', 'requester']
Original Request: A copy of the fire report for a motor vehicle accident that occurred on [a specified address], Scarborough, on June 20, 2010.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'specify', 'address', 'scarborough']
Original Request: A copy of the fire report for [a specified address], Toronto, Unit 1, from Nov. 18/19, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'november', '18/19']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the inspection report(s) for the townhouses on [a specified address] (347, 349, 351, 353...etc) regarding the furnace replacements by Brial Mechanical Inc. in August 2010.
Tokens prepared for LDA: ['inspection', 'report(s', 'townhouse', 'specify', 'address', 'regard', 'furnace', 'replacement', 'brial', 'mechanical', 'august']
Original Request: A copy of the building permit inspection on August 23, 2010 for 335 and 345 [a specified address], including copies of the permits 10-240929, 10-248433, and 10-248439.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'august', 'specify', 'address', 'include', 'permit', '240929', '248433', '248439']
Original Request: A copy of all building and demolition permits for both existing and former structures for [a specified address].
Tokens prepared for LDA: ['build', 'demolition', 'permit', 'exist', 'structure', 'specify', 'address].']
Original Request: A copy of all documentation relating to the fire on CPR Right of Way behind [a specified address], Toronto, on August 10, 2006, including the Public Health file with respect to [a specified address]
Tokens prepared for LDA: ['documentation', 'relate', 'right', 'specify', 'address', 'toronto', 'august', 'include', 'public', 'health', 'respect', 'specify', 'address']
Original Request: A copy of the most recent listing of companies paying sewage surcharge fees to the City of Toronto, including how many companies are paying an excess of $50 000 per year (without names).
Tokens prepared for LDA: ['recent', 'company', 'sewage', 'surcharge', 'toronto', 'include', 'company', 'excess']
Original Request: A copy of all information on [a specified address], including permits, zoning, work orders, parkdale pilot project, and inspection.
Tokens prepared for LDA: ['information', 'specify', 'address', 'include', 'permit', 'order', 'parkdale', 'pilot', 'project', 'inspection']
Original Request: A copy of all building inspection notes for [a specified address], including file no.: 08-193614.
Tokens prepared for LDA: ['build', 'inspection', 'specify', 'address', 'include', '193614']
Original Request: A list of all fire incidents that occurred on June 26, 2010, including the incident number, time of incident, category of incident, and location of incident.
Tokens prepared for LDA: ['incident', 'occur', 'include', 'incident', 'incident', 'category', 'incident', 'location', 'incident']
Original Request: A copy the fire report for [a specified address] from Nov. 27, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'november']
Original Request: A copy of the fire report for [a specified address], Toronto, from Oct. 23, 2008. Fire incident no.: F08120136
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'october', 'incident', 'f08120136']
Original Request: A copy of the fire report for [a specified address], from Nov. 16, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'november']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 12, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address] boiler room, from Dec. 13, 2010. The correct address should be 169 [a specified address].
Tokens prepared for LDA: ['report', 'specify', 'address', 'boiler', 'december', 'correct', 'address', 'specify', 'address].']
Original Request: A copy of the complaint made to Public Health regarding [a specified address] and a copy of the Public Health inspection report completed on Nov. 16, 2010.
Tokens prepared for LDA: ['complaint', 'public', 'health', 'regard', 'specify', 'address', 'public', 'health', 'inspection', 'report', 'complete', 'november']
Original Request: A copy of the guidelines for personal or business use of social media sites by municipal employees (i.e. Twitter and Facebook).
Tokens prepared for LDA: ['guideline', 'personal', 'business', 'social', 'medium', 'municipal', 'employee', 'twitter', 'facebook']
Original Request: A copy of the inspection report for [a specified address]. from Oct. 1, 2010 pertaining to a rooming house.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address].', 'october', 'pertain', 'house']
Original Request: A copy of the fire report for [a specified address], Unit 206, fire incident no.: F10146018.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'f10146018']
Original Request: A copy of the fire report for [a specified address], from Nov. 20 & 21, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'november']
Original Request: A copy of the fire report for [a specified address], from Nov. 20 & 21, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'november']
Original Request: A copy of the fire report for [a specified address], Toronto, from Sept. 10, 2010. Fire incident no.: F10103171.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'september', 'incident', 'f10103171']
Original Request: A copy of the building files for [a specified address], Lot 3, Plan M459.
Tokens prepared for LDA: ['build', 'specify', 'address']
Original Request: A copy of all documents relating to the demolition / construction of [a specified address] and the damage at [a specified address].
Tokens prepared for LDA: ['document', 'relate', 'demolition', 'construction', 'specify', 'address', 'damage', 'specify', 'address].']
Original Request: A copy of a complete search of permit history for [a specified address] (not including the 2010 file) from as far back as possible.
Tokens prepared for LDA: ['complete', 'search', 'permit', 'history', 'specify', 'address', 'include', 'possible']
Original Request: A copy of the number of employees or number of full time equivalent employees as dedicated communications people (including media relations) and a copy of the budget for each of the past 3 fiscal years for public communications.
Tokens prepared for LDA: ['employee', 'equivalent', 'employee', 'dedicate', 'communication', 'people', 'include', 'medium', 'relation', 'budget', 'fiscal', 'public', 'communication']
Original Request: A copy of all permits and drawings for [a specified address], Toronto, including files: Bld: 08-163671 and DM: 08-163678.
Tokens prepared for LDA: ['permit', 'drawing', 'specify', 'address', 'toronto', 'include', '163671', '163678']
Original Request: A copy of the order from Public Health and ML&S regarding [a specified address], inspection completed by Frank Mielewezyle.
Tokens prepared for LDA: ['order', 'public', 'health', 'regard', 'specify', 'address', 'inspection', 'complete', 'frank', 'mielewezyle']
Original Request: A copy of the complaint record made against [a specified address] on Aug. 10, 2009 and a copy of the Health inspection report completed on Aug. 10, 2009.
Tokens prepared for LDA: ['complaint', 'record', 'specify', 'address', 'august', 'health', 'inspection', 'report', 'complete', 'august']
Original Request: A copy of the building files for [a specified address], files 11036(50) and 23289 (53).
Tokens prepared for LDA: ['build', 'specify', 'address', '11036(50', '23289']
Original Request: A copy of all correspondence from the owner at [a specified address], and the City regarding the motion by Councillor Di Giorgio - "a formal poll being conducted and such poll having a favourable result". Excerpt from council meeting minutes of June 24.
Tokens prepared for LDA: ['correspondence', 'owner', 'specify', 'address', 'regard', 'motion', 'councillor', 'giorgio', 'formal', 'conduct', 'favourable', 'result', 'excerpt', 'council', 'minute']
Original Request: A copy of the number of dogs, cats, and wildlife that were admitted, adopted, and euthanized by Toronto Animal Services in 2008, 2009, & 2010. Also a copy of the TAS budget for 2008, 2009 & 2010, including the amount received in adoption and licensing fees
Tokens prepared for LDA: ['wildlife', 'admit', 'adopt', 'euthanize', 'toronto', 'animal', 'services', 'budget', 'include', 'receive', 'adoption', 'license']
Original Request: A copy of the Fire Report for [a specified address], Toronto, from Nov. 5, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'november']
Original Request: A copy of the Fire Report for [a specified address], Scarborough, from Oct. 27, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'october']
Original Request: A copy of the fire report for [a specified address], Toronto, from Oct. 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'october']
Original Request: A copy of the fire report for [a specified address], Toronto, from Jan. 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january']
Original Request: A copy of the contract awarded to Zoll Medical Canada Inc. for proprietary cardiac (monitor/defibrillator consumable supplies and operating accessories and valued at $3632000. #47012986).
Tokens prepared for LDA: ['contract', 'award', 'medical', 'canada', 'proprietary', 'cardiac', 'monitor', 'defibrillator', 'consumable', 'supply', 'operate', 'accessory', 'value', '3632000', '47012986']
Original Request: A copy of the fire report for [a specified address], Toronto, from Nov. 7, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'november']
Original Request: A copy of the Fortran Technical and Financial Proposal in response to RFP 9144-10-7256 (RESCU Traffic Management Operations) and a copy of the evaluation of Fortran Proposal and 181 Proposal in response to RFP-9144-10-7256.
Tokens prepared for LDA: ['fortran', 'technical', 'financial', 'proposal', 'response', 'rescu', 'traffic', 'management', 'operations', 'evaluation', 'fortran', 'proposal', 'proposal', 'response', 'rfp-9144']
Original Request: A copy of the PFR records pertaining to the pruning of the Maple tree at [a specified address] over the past 6 months and a copy of fallen limbs in the same area from Sept. 24 to 25, 2010.
Tokens prepared for LDA: ['record', 'pertain', 'prune', 'maple', 'specify', 'address', 'month', 'september']
Original Request: A copy of the application for [a specified address] to be turned into a two unit building (prior to 1989). Also a copy of building inspection report by Barry Quirke dated October 30, 1998.
Tokens prepared for LDA: ['application', 'specify', 'address', 'build', 'prior', 'build', 'inspection', 'report', 'barry', 'quirke', 'october']
Original Request: A copy of the records pertaining to the tree branches that have fallen on [a specified address] since 2007, including the reports made in response to the calls made to 311 anf PFR.
Tokens prepared for LDA: ['record', 'pertain', 'branch', 'specify', 'address', 'include', 'report', 'response']
Original Request: A copy of any records regarding heating changes from 1979 to 1985 for [a specified address].
Tokens prepared for LDA: ['record', 'regard', 'change', 'specify', 'address].']
Original Request: A copy of Greenwood Park archival records, including several Fonds 200, series 487 files.
Tokens prepared for LDA: ['greenwood', 'archival', 'record', 'include', 'fonds', 'series']
Original Request: A copy of all building permits and demolition permits for both existing and former structures for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'demolition', 'permit', 'exist', 'structure', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], North York, from Dec. 16, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'december']
Original Request: A copy of the fire report for [a specified address], North York, from Dec. 18, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'december']
Original Request: A copy of the fire report for [a specified address], Toronto, from a slip and fall incident on April 4, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'april']
Original Request: A copy of the complaint record made against [a specified address] regarding a beauty salon being run from the house. Also a copy of the complainant's name.
Tokens prepared for LDA: ['complaint', 'record', 'specify', 'address', 'regard', 'beauty', 'salon', 'house', 'complainant']
Original Request: A copy of all building permit documents, drawings, and site plan documents/drawings, and correspondence for the commercial property at [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address', 'toronto']
Original Request: A copy of all building permit documents, drawings, and site plan documents/drawings, and correspondence for the commercial property at [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address', 'toronto']
Original Request: A copy of all building permit documents, drawings, and site plan documents/drawings, and correspondence for the commercial property at [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address', 'toronto']
Original Request: A copy of all building permit documents, drawings, and site plan documents/drawings, and correspondence for the commercial property at [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address', 'toronto']
Original Request: A copy of all building permit documents, drawings, and site plan documents/drawings, and correspondence for the commercial property at [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address', 'toronto']
Original Request: A copy of all orders and complaints issued or known against builder [an individual] for construction at [a specified address].
Tokens prepared for LDA: ['order', 'complaint', 'issue', 'builder', 'individual', 'construction', 'specify', 'address].']
Original Request: A copy of all corporate information for Limo-Franchise Inc., including the contact information of the officer(s) of Limo-Franchise Inc. and confirmation that the address is [a specified address], Brampton, phone no. [removed].
Tokens prepared for LDA: ['corporate', 'information', 'franchise', 'include', 'contact', 'information', 'officer(s', 'franchise', 'confirmation', 'address', 'specify', 'address', 'brampton', 'phone', 'removed].']
Original Request: A copy of all building permits and demolition permits for both existing and former structures at [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'demolition', 'permit', 'exist', 'structure', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], from Dec. 5, 2010. Fire incident no.: F10138528.
Tokens prepared for LDA: ['report', 'specify', 'address', 'december', 'incident', 'f10138528']
Original Request: A copy of the fire report for [a specified address] from July 15, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address']
Original Request: A copy of all third party sign permits for [a specified address], the property is owned by Corsetti Meat Packers Realty Ltd.
Tokens prepared for LDA: ['party', 'permit', 'specify', 'address', 'property', 'corsetti', 'packer', 'realty']
Original Request: A copy of the building permit files for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'toronto']
Original Request: A copy of the fire inspection report from Jan. 11, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'january']
Original Request: A copy of the geotechnical report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the ML&S file number B01324 submitted by [a specified address] with respect to to her complaint regarding action roofing or action roofers 1 [a specified address], including the results of the investigation conducted by ML&S.
Tokens prepared for LDA: ['b01324', 'submit', 'specify', 'address', 'respect', 'complaint', 'regard', 'action', 'action', 'roofer', 'specify', 'address', 'include', 'result', 'investigation', 'conduct', 'ml&s.']
Original Request: A copy of all ML&S documents, including inspection reports and By-Law complaints for [a specified address].
Tokens prepared for LDA: ['document', 'include', 'inspection', 'report', 'complaint', 'specify', 'address].']
Original Request: A copy of all Animal Services and Public Health records pertaining to the dog bite incident on July 5, 2010 at [a specified address] involving [an individual] and dog owner [an individual].
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'record', 'pertain', 'incident', 'specify', 'address', 'involve', 'individual', 'owner', 'individual].']
Original Request: A copy of archival records pertaining to 'Working Women Community Centre'. Fonds 200, Series 1524, File 168.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'working', 'woman', 'community', 'centre', 'fonds', 'series']
Original Request: A copy of all ML&S inspections and By-Law complaints for [a specified address].
Tokens prepared for LDA: ['inspection', 'complaint', 'specify', 'address].']
Original Request: A copy of the record of the two 911 calls made on July 26, 2010 regarding [an individual] slip and fall incident at the Food Basics Parking lot at the corner of Ellesmere and Neilson Rd.
Tokens prepared for LDA: ['record', 'regard', 'individual', 'incident', 'basics', 'parking', 'corner', 'ellesmere', 'neilson']
Original Request: A copy of the audio EMS 911 call regarding an incident at the Rothbart Pain Management Clinic ( [a specified address] ) on April 28, 2010 at approximately 1:20 p.m.
Tokens prepared for LDA: ['audio', 'regard', 'incident', 'rothbart', 'management', 'clinic', 'specify', 'address', 'april', 'approximately']
Original Request: A copy of the December 15 Approved Proposal forthe demolition of the Hearn Generating Station located at [a specified address].
Tokens prepared for LDA: ['december', 'approve', 'proposal', 'forthe', 'demolition', 'hearn', 'generate', 'station', 'locate', 'specify', 'address].']
Original Request: A copy of ML&S report with respect to complaint # 799-311. The inspector was Manzurul Hoque and the complaint was initiated at the end of November 2010.
Tokens prepared for LDA: ['report', 'respect', 'complaint', 'inspector', 'manzurul', 'hoque', 'complaint', 'initiate', 'november']
Original Request: A copy of building examiners' notes for [a specified address], The permits are 415875 and 99-108776.
Tokens prepared for LDA: ['build', 'examiner', 'specify', 'address', 'permit', '415875', '108776']
Original Request: A copy of the Water and Solid Waste Management utility bill for [a specified address] for the period from May to Dec. 2010. Also a copy of signed application form for the transfer of water account from the owner (requester) to the tenant
Tokens prepared for LDA: ['water', 'solid', 'waste', 'management', 'utility', 'specify', 'address', 'period', 'december', 'application', 'transfer', 'water', 'account', 'owner', 'requester', 'tenant']
Original Request: A copy of all documents with respect to noise complaints for the location at [a specified address]. The file number is 10-230-251.
Tokens prepared for LDA: ['document', 'respect', 'noise', 'complaint', 'location', 'specify', 'address].']
Original Request: The licence plate numbers of hot dog vendors stationed on Front St, s/e corner with Bay St., in front of the Union Station.
Tokens prepared for LDA: ['licence', 'plate', 'number', 'vendor', 'station', 'corner', 'union', 'station']
Original Request: A copy of geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the building permit application form for [a specified address] from 2007 and 2008.
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address']
Original Request: A copy of the geotechnical report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the geotechnical report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], from Dec. 21, 2008, including any additional witness statements and photographs.
Tokens prepared for LDA: ['report', 'specify', 'address', 'december', 'include', 'additional', 'witness', 'statement', 'photograph']
Original Request: A copy of the fire report for [a specified address], Scarborough, from Dec. 16, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'december']
Original Request: A copy of the fire report for [a specified address], North York, from Dec. 21, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'december']
Original Request: A copy of all background materials relating to the Final Report prepared by Urban Strategies Inc. regarding the Tall Buildings Study, dated Apr. 30, 2010.
Tokens prepared for LDA: ['background', 'material', 'relate', 'final', 'report', 'prepare', 'urban', 'strategy', 'regard', 'building', 'study', 'april']
Original Request: A copy of the fire report for [a specified address], Etobicoke, from Dec. 11, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'december']
Original Request: A copy of the feasibility study undertaken in 2008 to study the future requirements of caring for elephants at the Toronto Zoo and for maintaining a heard of elephants into the future.
Tokens prepared for LDA: ['feasibility', 'study', 'undertake', 'study', 'future', 'requirement', 'elephant', 'toronto', 'maintain', 'elephant', 'future']
Original Request: A copy of the plumbing and structural inspection reports given in 2008 following extensive renovations at [a specified address], Etobicoke. (Permit 08 190176 PLB 00PS & 08 190176 BLD 00 SR).
Tokens prepared for LDA: ['plumb', 'structural', 'inspection', 'report', 'follow', 'extensive', 'renovation', 'specify', 'address', 'etobicoke', 'permit', '190176', '190176']
Original Request: A copy of the video surveillance tapes from inside and outside the entrance near Second Cup, the site of [an individual]' arrest - the route taken by [an individual] and security, and inside the security office on Oct. 29, 2010 at Toronto Union Station.
Tokens prepared for LDA: ['video', 'surveillance', 'inside', 'outside', 'entrance', 'second', 'individual', 'arrest', 'route', 'individual', 'security', 'inside', 'security', 'office', 'october', 'toronto', 'union', 'station']
Original Request: A copy of the dog bite report from Public Health. [an individual] was bit by a dog on Oct. 18, 2010.
Tokens prepared for LDA: ['report', 'public', 'health', 'individual', 'october']
Original Request: A copy of the supplementary report (dated July 18, 2005) from the Treasurer, the Fire Chief and General Manager (pertaining to the RFP No.: 3806-04-0246 for the Supply and Delivery of Bunker Suits and to Provide a Care Program for the Bunker Suits).
Tokens prepared for LDA: ['supplementary', 'report', 'treasurer', 'chief', 'general', 'manager', 'pertain', 'supply', 'delivery', 'bunker', 'suit', 'provide', 'program', 'bunker', 'suit']
Original Request: A copy of the following building permit no.: (1) 1979 026457 BLD 00HH 140233, (2) 1983 014395 BLD ))HH 191654, (3) 1983 018366 BLD ))HH 195643, and (4) 1986 025394 BLD 00HH 244797.
Tokens prepared for LDA: ['follow', 'build', 'permit', '026457', '140233', '014395', '191654', '018366', '195643', '025394', '244797']
Original Request: A copy of the ML&S file no. 9-181499-PRS-00-IR, including the complaint, the response from the landlord and the inspection notes. The complaint was made by [an individual] against her landlord about the cleaning of the heating vents at [a specified address].
Tokens prepared for LDA: ['181499-prs-00-ir', 'include', 'complaint', 'response', 'landlord', 'inspection', 'complaint', 'individual', 'landlord', 'clean', 'specify', 'address].']
Original Request: A copy of the archival records pertaining to Prisoners at the Don Jail.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'prisoner']
Original Request: A copy of CCTV images from Birchmount Community Centre located at [a specified address] Cameras for "change rooms" and "pool enter" and "parking east" and "parking west". Date of incident was Jan. 17, 2011 between 8.30 am to 11.00 am.
Tokens prepared for LDA: ['image', 'birchmount', 'community', 'centre', 'locate', 'specify', 'address', 'camera', 'change', 'enter', 'incident', 'january', '11.00']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the fire report for the incident that occurred at [a specified address] and [a specified address] around 7:30a.m in 2008. F08067787.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'specify', 'address', 'specify', 'address', '7:30a.m', 'f08067787']
Original Request: A copy of the fire report from [a specified address], Unit 1 & 2, Scarborough, from Oct. 27, 2010. F10123000.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'october', 'f10123000']
Original Request: A copy of the fire report from [a specified address], Toronto, from July 16, 2010. F10080085.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'f10080085']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 26, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address] Toronto, from Dec. 21, 2010, including all colour photographs, notes, sketches, videos or other pertinent information.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december', 'include', 'colour', 'photograph', 'sketch', 'video', 'pertinent', 'information']
Original Request: A copy of the examiner's notes for [a specified address] regarding permit no. 78510.
Tokens prepared for LDA: ['examiner', 'specify', 'address', 'regard', 'permit', '78510']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 24, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 24, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 24, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address], Toronto, from Nov. 26, 2010, including any additional pertinent information.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'november', 'include', 'additional', 'pertinent', 'information']
Original Request: A copy of the property survey for [a specified address], Scarborough, and a copy of any incidences arising from tree root growth (plumbing or other) that occurred at [a specified address]
Tokens prepared for LDA: ['property', 'survey', 'specify', 'address', 'scarborough', 'incidence', 'arise', 'growth', 'plumb', 'occur', 'specify', 'address']
Original Request: A copy of the letter sent to the previous property owner at [a specified address] indicating that he must revert from pad parking to green space. RACS#415186. The letter was dated approx. Feb. 17, 2009.
Tokens prepared for LDA: ['letter', 'previous', 'property', 'owner', 'specify', 'address', 'indicate', 'revert', 'green', 'space', 'racs#415186', 'letter', 'approx', 'february']
Original Request: A copy of all building inspections for [a specified address].
Tokens prepared for LDA: ['build', 'inspection', 'specify', 'address].']
Original Request: A copy of any complaints against [a specified address], North York/Downsview from June 2007 to January 2010.
Tokens prepared for LDA: ['complaint', 'specify', 'address', 'north', 'downsview', 'january']
Original Request: A copy of the ML&S inspection report for [a specified address], from Nov. 26, 2010. File #2765250.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'november', '2765250']
Original Request: A copy of all permits and permit applications for work performed at [a specified address] between 1980 and 1990 as well as undertakings for this property including undertaking #081011.
Tokens prepared for LDA: ['permit', 'permit', 'application', 'perform', 'specify', 'address', 'undertaking', 'property', 'include', 'undertake', '081011']
Original Request: A copy of the building files 313738 and 282059 pertaining to [a specified address].
Tokens prepared for LDA: ['build', '313738', '282059', 'pertain', 'specify', 'address].']
Original Request: A copy of all patrol, inspection, maintenance, work order, traffic, and sewage maintenance records pertaining to the [a specified address] extension southbound curb lane at approximately one-half kilometre south of [a specified address], Toronto.
Tokens prepared for LDA: ['patrol', 'inspection', 'maintenance', 'order', 'traffic', 'sewage', 'maintenance', 'record', 'pertain', 'specify', 'address', 'extension', 'southbound', 'approximately', 'kilometre', 'south', 'specify', 'address', 'toronto']
Original Request: A copy of the fire inspection report in the basement apartment of [a specified address], Toronto, from September 30, 2010.
Tokens prepared for LDA: ['inspection', 'report', 'basement', 'apartment', 'specify', 'address', 'toronto', 'september']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 26, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address] Toronto, from Dec. 27, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the fire report for [a specified address], Scarborough, on Dec. 24, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'december']
Original Request: A copy of all information regarding [a specified address], including building permits, ML&S documents and any communications between the City of Toronto and [a specified address].
Tokens prepared for LDA: ['information', 'regard', 'specify', 'address', 'include', 'build', 'permit', 'document', 'communication', 'toronto', 'specify', 'address].']
Original Request: A copy of the fire report for the motor vehicle accident located at [a specified address] and [a specified address] from Nov. 24, 2008. Fire Incident No.: F08132767.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'locate', 'specify', 'address', 'specify', 'address', 'november', 'incident', 'f08132767']
Original Request: A copy of the fire reports for the motor vehicle accident located at [a specified address] and [a specified address] from January 7, 2010. Fire Incident No.'s: F10002724 & F10002733.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'locate', 'specify', 'address', 'specify', 'address', 'january', 'incident', 'f10002724', 'f10002733']
Original Request: A copy of the fire report from the motor vehicle accident located at [a specified address] and [a specified address], from January 21, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'locate', 'specify', 'address', 'specify', 'address', 'january']
Original Request: A copy of the agreement (under the Provincial Offences Act) allowing the municipality to operate the courts and any reviews, assessments, or similar documents regarding this agreement.
Tokens prepared for LDA: ['agreement', 'provincial', 'offence', 'allow', 'municipality', 'operate', 'court', 'review', 'assessment', 'similar', 'document', 'regard', 'agreement']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of all building documents pertaining to the construction of "The Abbey" Residential Condos including Heritage Preservation approvals and requirements. (Building permit # 03129031 BLD and all revisions - [a specified address].
Tokens prepared for LDA: ['build', 'document', 'pertain', 'construction', 'abbey', 'residential', 'condo', 'include', 'heritage', 'preservation', 'approval', 'requirement', 'building', 'permit', '03129031', 'revision', 'specify', 'address].']
Original Request: A copy of all ML&S inspection or violation documents pertaining to Queen Bleach Co. Ltd. (previous: [a specified address], Toronto, current: [a specified address], Mississauga).
Tokens prepared for LDA: ['inspection', 'violation', 'document', 'pertain', 'queen', 'bleach', 'previous', 'specify', 'address', 'toronto', 'current', 'specify', 'address', 'mississauga']
Original Request: A copy of TESS statistics including the monthly average number of cases/persons in receipt of social assistance in Toronto between 1993 and 2010 (broken down by category of recipient - esp. lone/single mothers).
Tokens prepared for LDA: ['statistic', 'include', 'monthly', 'average', 'person', 'receipt', 'social', 'assistance', 'toronto', 'break', 'category', 'recipient', 'single', 'mother']
Original Request: A copy of agreements for telecommunications installations with the City of Toronto, including (not limited to) applications for agreements, rejected applications, 'staff report action required' documents related to the agreements.
Tokens prepared for LDA: ['agreement', 'telecommunication', 'installation', 'toronto', 'include', 'limit', 'application', 'agreement', 'reject', 'application', 'staff', 'report', 'action', 'require', 'document', 'relate', 'agreement']
Original Request: A copy of all Public Health bed bug inspection reports and/or mould inspection reports at [a specified address] for the past year.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'and/or', 'mould', 'inspection', 'report', 'specify', 'address']
Original Request: A copy of documentation related to applications to the City for Municipal Access Agreements for telecommunications installations by a related affiliate of Toronto Hydro.
Tokens prepared for LDA: ['documentation', 'relate', 'application', 'municipal', 'access', 'agreement', 'telecommunication', 'installation', 'relate', 'affiliate', 'toronto', 'hydro']
Original Request: A copy of the PAL review for: accessory structure at [a specified address].
Tokens prepared for LDA: ['review', 'accessory', 'structure', 'specify', 'address].']
Original Request: A copy of all information pertaining to a fire inspection completed on Jan. 8, 2009 for 4727 [a specified address] including any fines, summons, orders, or tickets issued and any court documents relating to this inspection.
Tokens prepared for LDA: ['information', 'pertain', 'inspection', 'complete', 'january', 'specify', 'address', 'include', 'summon', 'order', 'ticket', 'issue', 'court', 'document', 'relate', 'inspection']
Original Request: A copy of the engineers inspection reports for construction and demolition at [a specified address] (building permit no.: 10213262) and all related correspondence.
Tokens prepared for LDA: ['engineer', 'inspection', 'report', 'construction', 'demolition', 'specify', 'address', 'build', 'permit', '10213262', 'relate', 'correspondence']
Original Request: A copy of records stating when or if lead pipes connecting [a specified address] to the water main (service lines) were replaced.
Tokens prepared for LDA: ['record', 'state', 'connect', 'specify', 'address', 'water', 'service', 'replace']
Original Request: A copy of the fire report for [a specified address], Toronto, from Jan. 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january']
Original Request: A copy of the fire report for [a specified address] , Toronto, from January 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january']
Original Request: A copy of the visitors' log for one year prior to April 2, 2007 to indicate when [an individual] visited [an individual] at [a specified address].
Tokens prepared for LDA: ['visitor', 'prior', 'april', 'indicate', 'individual', 'visit', 'individual', 'specify', 'address].']
Original Request: A copy of the dollar amounts of fines imposed on conviction of the following ML&S Bylaws: 999/5452 A66, 999 545473F2, and 999/545477A1 (pertaining to limousine services), for the past 3 years.
Tokens prepared for LDA: ['dollar', 'impose', 'conviction', 'follow', 'bylaw', '999/5452', '545473f2', '999/545477a1', 'pertain', 'limousine', 'service']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 19, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of all fire reports for the propane explosion incident at the Sunrise Propane Plant located at [a specified address] on Aug. 10, 2008, including all correspondence, reports, orders, investigations, etc. in the possession of Fire Services.
Tokens prepared for LDA: ['report', 'propane', 'explosion', 'incident', 'sunrise', 'propane', 'plant', 'locate', 'specify', 'address', 'august', 'include', 'correspondence', 'report', 'order', 'investigation', 'possession', 'services']
Original Request: A copy of all 911 phone calls, productions, reports, forms, notes, photographs, videos, correspondence, orders, etc. from EMS regarding the explosions from Sunrise Propane Plant [a specified address] on Aug. 10, 2008).
Tokens prepared for LDA: ['phone', 'production', 'report', 'photograph', 'video', 'correspondence', 'order', 'regard', 'explosion', 'sunrise', 'propane', 'plant', 'specify', 'address', 'august']
Original Request: A copy of all ML&S reports and documents pertaining to the explosions from Sunrise Propane Plant [a specified address] on Aug. 10, 2008), including any investigations, notes, correspondence, photographs, videos, orders, etc.
Tokens prepared for LDA: ['report', 'document', 'pertain', 'explosion', 'sunrise', 'propane', 'plant', 'specify', 'address', 'august', 'include', 'investigation', 'correspondence', 'photograph', 'video', 'order']
Original Request: A copy of all building documents pertaining to the explosions from Sunrise Propane Plant [a specified address] on Aug. 10, 2008), including any investigations, notes, correspondence, photographs, videos, orders, etc.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'explosion', 'sunrise', 'propane', 'plant', 'specify', 'address', 'august', 'include', 'investigation', 'correspondence', 'photograph', 'video', 'order']
Original Request: A copy of all Public Health documents pertaining to the explosions from Sunrise Propane Plant [a specified address] on Aug. 10, 2008), including any investigations, notes, correspondence, photographs, videos, orders, etc.
Tokens prepared for LDA: ['public', 'health', 'document', 'pertain', 'explosion', 'sunrise', 'propane', 'plant', 'specify', 'address', 'august', 'include', 'investigation', 'correspondence', 'photograph', 'video', 'order']
Original Request: A copy of the complete inspection report from October 2010 and January 24, 2011, for [a specified address], Toronto.
Tokens prepared for LDA: ['complete', 'inspection', 'report', 'october', 'january', 'specify', 'address', 'toronto']
Original Request: A copy of all reports relating to the three attacks by the two dogs living at [a specified address] from September, October, and November, 2010.
Tokens prepared for LDA: ['report', 'relate', 'attack', 'specify', 'address', 'september', 'october', 'november']
Original Request: A copy of any letters, emails, notes to files, reports, or other documents between Rob Ford and officials in his office and/or a selected list of lobbyists from Dec. 1, 2010 to Jan. 20, 2011.
Tokens prepared for LDA: ['letter', 'email', 'report', 'document', 'official', 'office', 'and/or', 'select', 'lobbyist', 'december', 'january']
Original Request: A copy of the examiner's notes for the square footage for the specific unit 201 at [a specified address], Toronto.
Tokens prepared for LDA: ['examiner', 'square', 'footage', 'specific', 'specify', 'address', 'toronto']
Original Request: A copy of all information and records on the work completed to [a specified address] in the 1990's.
Tokens prepared for LDA: ['information', 'record', 'complete', 'specify', 'address']
Original Request: Information from ML&S with respect to operation of business at [a specified address], North York.
Tokens prepared for LDA: ['information', 'respect', 'operation', 'business', 'specify', 'address', 'north']
Original Request: A copy of the building inspection reports (including the occupancy for all condo units) for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'include', 'occupancy', 'condo', 'specify', 'address', 'toronto']
Original Request: A copy of all records and documents related to the licensing of Nocturne Nightclub [a specified address], particularly the noise control plan.
Tokens prepared for LDA: ['record', 'document', 'relate', 'license', 'nocturne', 'nightclub', 'specify', 'address', 'particularly', 'noise', 'control']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the fire report and EMS ambulance call report from the slip and fall incident on Nov. 10 or 11, 2010, between 11:37 p.m. & 12:12 a.m. at the intersection of [a specified address] and [a specified address].
Tokens prepared for LDA: ['report', 'ambulance', 'report', 'incident', 'november', '11:37', '12:12', 'intersection', 'specify', 'address', 'specify', 'address].']
Original Request: A copy of all inspection reports pertaining to [a specified address] and any other correspondence pertaining to all building permits issued for this address.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'specify', 'address', 'correspondence', 'pertain', 'build', 'permit', 'issue', 'address']
Original Request: A copy of all building permit documents/drawings, site plan documents/drawings, and correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of all correspondence between the City of Toronto and the tenant in [a specified address], Toronto, between May 1 and October 1, 2010. All correspondence should be pertaining to housekeeping, health, and / or safety issues.
Tokens prepared for LDA: ['correspondence', 'toronto', 'tenant', 'specify', 'address', 'toronto', 'october', 'correspondence', 'pertain', 'housekeeping', 'health', 'safety', 'issue']
Original Request: A copy of all reports relating to the dog attack that occurred in [a specified address] on July 19, 2009 at approx. 9 p.m.
Tokens prepared for LDA: ['report', 'relate', 'attack', 'occur', 'specify', 'address', 'approx']
Original Request: A copy of the 911 audio tape with respect to the cyclist involved with the motor vehicle accident at the intersection of [a specified address] and [a specified address] on Jan. 1, 2011 at approx. 5:00 a.m.
Tokens prepared for LDA: ['audio', 'respect', 'cyclist', 'involve', 'motor', 'vehicle', 'accident', 'intersection', 'specify', 'address', 'specify', 'address', 'january', 'approx']
Original Request: A copy of the 911 audio tape with respect to the motor vehicle accident at [a specified address] and [a specified address] on Nov. 23, 2010 (approx. 3:42 p.m.) involving a pedestrian.
Tokens prepared for LDA: ['audio', 'respect', 'motor', 'vehicle', 'accident', 'specify', 'address', 'specify', 'address', 'november', 'approx', 'involve', 'pedestrian']
Original Request: A copy of all agendas and corresponding staff reports for all in-camera meetings held by Toronto's municipal council during 2010.
Tokens prepared for LDA: ['agenda', 'correspond', 'staff', 'report', 'camera', 'meeting', 'toronto', 'municipal', 'council']
Original Request: An electronic excel document with a copy of all municipal contracts with a value of greater than $10 000.
Tokens prepared for LDA: ['electronic', 'excel', 'document', 'municipal', 'contract', 'value', 'great']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 18, 2010 (12:00).
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december', '12:00']
Original Request: A copy of the Geotechnical Report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of any documents showing a name change for the Water & Solid Waste Management Utility Bill or proof that [an individual] did not authorize to have his name on the utility bill.
Tokens prepared for LDA: ['document', 'change', 'water', 'solid', 'waste', 'management', 'utility', 'proof', 'individual', 'authorize', 'utility']
Original Request: A copy of the fire report no. F10124398 for [a specified address].
Tokens prepared for LDA: ['report', 'f10124398', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Toronto, from Jan. 25, 2011 (fire report no. F11010155),
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january', 'report', 'f11010155']
Original Request: A copy of the building maintenance inspection files for [a specified address], from 2010 (Inspector: Joey Leonardis - ML&S).
Tokens prepared for LDA: ['build', 'maintenance', 'inspection', 'specify', 'address', 'inspector', 'leonardis']
Original Request: A copy of all Public Health reports for [a specified address], Toronto, from 2010 (Inspector: Raj Benny).
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address', 'toronto', 'inspector', 'benny']
Original Request: A copy of all Urban Forestry branch inspections and work records (for the last 10 years) as a result of fallen branches from the city maple tree in front of [a specified address].
Tokens prepared for LDA: ['urban', 'forestry', 'branch', 'inspection', 'record', 'result', 'branch', 'maple', 'specify', 'address].']
Original Request: A copy of all reports and documents prepared as a result of flooding on May 18, 2010 at [a specified address], as well as all inspections and documents regarding building permit complaints from April, 2010 to present.
Tokens prepared for LDA: ['report', 'document', 'prepare', 'result', 'flood', 'specify', 'address', 'inspection', 'document', 'regard', 'build', 'permit', 'complaint', 'april', 'present']
Original Request: A copy of the ML&S property survey of [a specified address] from Oct., 2010 and a copy of the original ML&S property survey for [a specified address] used in the order no. 10 116386 PRS 00 IV
Tokens prepared for LDA: ['property', 'survey', 'specify', 'address', 'october', 'original', 'property', 'survey', 'specify', 'address', 'order', '116386']
Original Request: A copy of building permit (#05 147061 BLD SR) with respect to 131 [a specified address]. The permit was issued on June 21, 2005
Tokens prepared for LDA: ['build', 'permit', '147061', 'respect', 'specify', 'address].', 'permit', 'issue']
Original Request: A copy of building permit file for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address].']
Original Request: A copy of building permit documents, drawings, site plans, correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of building permit documents, drawings, site plans, correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: Copies of all requests and orders issued by Building and ML&S to [a specified address] between Jan. 2010 to October 2010 inclusive.
Tokens prepared for LDA: ['copy', 'request', 'order', 'issue', 'building', 'specify', 'address', 'january', 'october', 'inclusive']
Original Request: A copy of all documents relating to complaints filed with Toronto Building, ML&S and Urban Forestry against [a specified address], Toronto.
Tokens prepared for LDA: ['document', 'relate', 'complaint', 'toronto', 'building', 'urban', 'forestry', 'specify', 'address', 'toronto']
Original Request: Information on Zoo passes from October 24, 2010 to Feb.5, 2011 as well as Lord Cultural resources work done from August 2010 to Feb. 5, 2011 regarding the Toronto Zoo Elephant Feasibility Study and costs.
Tokens prepared for LDA: ['information', 'october', 'feb.5', 'cultural', 'resource', 'august', 'february', 'regard', 'toronto', 'elephant', 'feasibility', 'study']
Original Request: A copy of geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the arborist report with respect to [a specified address], Toronto.
Tokens prepared for LDA: ['arborist', 'report', 'respect', 'specify', 'address', 'toronto']
Original Request: A copy of road maintenance records with respect to the area of [a specified address], between [a specified address] and [a specified address] from Dec. 1, 2009 to Jan. 10, 2010.
Tokens prepared for LDA: ['maintenance', 'record', 'respect', 'specify', 'address', 'specify', 'address', 'specify', 'address', 'december', 'january']
Original Request: A copy of any complaint or inspection reports pertaining to [a specified address], Etobicoke (Magnificent Auto) from January 2009 to present.
Tokens prepared for LDA: ['complaint', 'inspection', 'report', 'pertain', 'specify', 'address', 'etobicoke', 'magnificent', 'january', 'present']
Original Request: A copy of the fire report for [a specified address], Scarborough, from Jan. 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'january']
Original Request: A copy of the fire report for [a specified address], from Oct. 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'october']
Original Request: A copy of the ML&S inspection records pertaining to [a specified address], Toronto, from 2000 to present.
Tokens prepared for LDA: ['inspection', 'record', 'pertain', 'specify', 'address', 'toronto', 'present']
Original Request: A copy of the building file no. 90333 (1946 Permit to build a store and office at [a specified address].
Tokens prepared for LDA: ['build', '90333', 'permit', 'build', 'store', 'office', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address] and [a specified address]], Scarborough, from June 21, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'specify', 'address', 'scarborough']
Original Request: A copy of the fire report for [a specified address], Toronto, from Jan. 19, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january']
Original Request: A copy of the building file #99-104533 for [a specified address].
Tokens prepared for LDA: ['build', '104533', 'specify', 'address].']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondence for the commercial property [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address', 'toronto']
Original Request: A copy of Toronto Building's internal bulletins regarding the interpretation of the provisions of the City's new zoning by-law #1156-2010.
Tokens prepared for LDA: ['toronto', 'building', 'internal', 'bulletin', 'regard', 'interpretation', 'provision']
Original Request: A copy of the complaint record #A10-030519 pertaining to a dog barking at [a specified address], including the complainant's information.
Tokens prepared for LDA: ['complaint', 'record', '030519', 'pertain', 'specify', 'address', 'include', 'complainant', 'information']
Original Request: A copy of all ML&S files concerning [a specified address], including the documents related to the complaints against the landlord regarding electrical and maintenance problems between 2006 and 2010.
Tokens prepared for LDA: ['concern', 'specify', 'address', 'include', 'document', 'relate', 'complaint', 'landlord', 'regard', 'electrical', 'maintenance', 'problem']
Original Request: A copy of the application for the building permit #10-284471-MSA-00-MS (submitted on Nov. 22, 2010) regarding [a specified address].
Tokens prepared for LDA: ['application', 'build', 'permit', '284471-msa-00-ms', 'submit', 'november', 'regard', 'specify', 'address].']
Original Request: A copy of the ML&S file #10 309266 NOI 00 IR.
Tokens prepared for LDA: ['309266']
Original Request: A copy of all building permits and applications for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address', 'toronto']
Original Request: A copy of the foregoing building permits for [a specified address].
Tokens prepared for LDA: ['forego', 'build', 'permit', 'specify', 'address].']
Original Request: A copy of the foregoing building permits for [a specified address], Toronto.
Tokens prepared for LDA: ['forego', 'build', 'permit', 'specify', 'address', 'toronto']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the building documents, permits and inspections, unit numbers, rent rolls, and committee of adjustment documents pertaining to [a specified address].
Tokens prepared for LDA: ['build', 'document', 'permit', 'inspection', 'number', 'committee', 'adjustment', 'document', 'pertain', 'specify', 'address].']
Original Request: A copy of building permits and drawings, unit numbers, rent rolls, tax rolls, and committee of adjustment records pertaining to [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'drawing', 'number', 'committee', 'adjustment', 'record', 'pertain', 'specify', 'address].']
Original Request: A copy of the archival records Fonds 200, series 436, file 98, SRC, Box 145308, Folio 2 regarding the correspondence of the executive assistant to the Commissioner of Toronto Finance.
Tokens prepared for LDA: ['archival', 'record', 'fonds', 'series', '145308', 'folio', 'regard', 'correspondence', 'executive', 'assistant', 'commissioner', 'toronto', 'finance']
Original Request: A copy of all records relating to [an individual] who was registered with and regularly attended the Jesse Ketchum Childcare Centre from March 2009 to December 2010.
Tokens prepared for LDA: ['record', 'relate', 'individual', 'register', 'regularly', 'attend', 'jesse', 'ketchum', 'childcare', 'centre', 'march', 'december']
Original Request: A copy of all documents back to the original construction of the property (1999) for [a specified address].
Tokens prepared for LDA: ['document', 'original', 'construction', 'property', 'specify', 'address].']
Original Request: A copy of the fire inspection for [a specified address].
Tokens prepared for LDA: ['inspection', 'specify', 'address].']
Original Request: A copy of the health inspection report for [a specified address] for mould in Jan. 2011.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'mould', 'january']
Original Request: A copy of all documents pertaining to Slope Stabilization Project adjacent to [a specified address], Toronto.
Tokens prepared for LDA: ['document', 'pertain', 'slope', 'stabilization', 'project', 'adjacent', 'specify', 'address', 'toronto']
Original Request: A copy of the fire report for [a specified address], Toronto, from June 28, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto']
Original Request: A copy of geotechnical report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: Archival records for Fonds 200, Series 410, File 1427, 1763 and 1796.
Tokens prepared for LDA: ['archival', 'record', 'fonds', 'series']
Original Request: A copy of all ML&S complaints for [a specified address], including heating problems, work orders, roaches etc.
Tokens prepared for LDA: ['complaint', 'specify', 'address', 'include', 'problem', 'order', 'roach']
Original Request: A copy of fire report for [a specified address]. The incident occurred on January 26, 2011
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of fire report for [a specified address]. The incident occurred on Jan. 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: All information related to a demolition permit application for [a specified address], including a copy of the application filed in August 2010.
Tokens prepared for LDA: ['information', 'relate', 'demolition', 'permit', 'application', 'specify', 'address', 'include', 'application', 'august']
Original Request: A copy of fire inspector's report for [a specified address]. The inspector was Wendy Rome.
Tokens prepared for LDA: ['inspector', 'report', 'specify', 'address].', 'inspector', 'wendy']
Original Request: Copies of ML&S reports and notes for [a specified address] from Inspector Jaan Sepp, Corinne Morgan, Peter Nelson, Ken Stevens, Naresh Jainaraine etc.
Tokens prepared for LDA: ['copy', 'report', 'specify', 'address', 'inspector', 'corinne', 'morgan', 'peter', 'nelson', 'stevens', 'naresh', 'jainaraine']
Original Request: A copy of fire report for [a specified address]. The incident occurred on Dec. 11, 2009
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'december']
Original Request: Copies of Mayor Rob Ford's daily schedule between December 1, 2010 and Jan. 31, 2011.
Tokens prepared for LDA: ['copy', 'mayor', 'daily', 'schedule', 'december', 'january']
Original Request: Copies of all e:mails, letters, documents, memos etc. exchanged between [an individual] and Amir Remtulla between Nov. 1, 2010 and Feb. 22, 2011.
Tokens prepared for LDA: ['copy', 'letter', 'document', 'exchange', 'individual', 'remtulla', 'november', 'february']
Original Request: A copy of the list of potential cuts and/or service changes to ther Toronto budget usually known as the "not recommended" list, usually authorized by Josie LaVita, Director of Financial Planning.
Tokens prepared for LDA: ['potential', 'and/or', 'service', 'change', 'toronto', 'budget', 'usually', 'recommend', 'usually', 'authorize', 'josie', 'lavita', 'director', 'financial', 'planning']
Original Request: All documents, including but not limited to, e:mails, letters, memos and other documents exchanged between Mike Del Grande, any and all staff in the Mayor's office, Mayor Rob Ford and Councillor Doug Ford relating to the 2011 Budget.
Tokens prepared for LDA: ['document', 'include', 'limit', 'letter', 'document', 'exchange', 'grande', 'staff', 'mayor', 'office', 'mayor', 'councillor', 'relate', 'budget']
Original Request: A copy of e:mail and all responses to the e:mail, sent by Councillor Del Grande to his fellow councillors for one item they would like preserved in their wards in the 2011 budget. The e:mail was sent on Dec. 10, 2010.
Tokens prepared for LDA: ['response', 'councillor', 'grande', 'fellow', 'councillor', 'preserve', 'budget', 'december']
Original Request: Copies of Public Health documents, including but not limited to, reports, studies, presentations, spreadsheets, databases, and maps relating to the bed bug issue, over the past 6 months. Documents could provide information about: infestation locations, trends with the problem, strategies to deal with the pests, health risks, funding requests or contingency plans to deal with a potential crisis.
Tokens prepared for LDA: ['copy', 'public', 'health', 'document', 'include', 'limit', 'report', 'study', 'presentation', 'spreadsheet', 'database', 'relate', 'issue', 'month', 'document', 'provide', 'information', 'infestation', 'location', 'trend', 'problem', 'strategy', 'health', 'request', 'contingency', 'potential', 'crisis']
Original Request: Any communications between the City Manager and his deputies (and their offices/staff) and Councillor Doug Ford (including his staff or someone sending it on his behalf) between Dec. 7, 2010 and Feb. 14, 2011. Communications could include memos, e:mails, faxes or any other weritten document. The communications may pertain to Councillor Ford's capacity as a councillor, relationship with the Mayor and his office or his role on the budget committee, but should not be limited to any of those roles.
Tokens prepared for LDA: ['communication', 'manager', 'deputy', 'office', 'staff', 'councillor', 'include', 'staff', 'behalf', 'december', 'february', 'communications', 'include', 'weritten', 'document', 'communication', 'pertain', 'councillor', 'capacity', 'councillor', 'relationship', 'mayor', 'office', 'budget', 'committee', 'limit']
Original Request: All e:mails to and from Trevor Charles and Carrmelo Pompeo of Toronto Water relating to communications about the sewers/water pipes on or around Dewhurst and Strathmore Blvd.
Tokens prepared for LDA: ['trevor', 'charles', 'carrmelo', 'pompeo', 'toronto', 'water', 'relate', 'communication', 'sewer', 'water', 'dewhurst', 'strathmore']
Original Request: A copy of animal services client file # P396-431 and A-382-326.
Tokens prepared for LDA: ['animal', 'service', 'client', 'a-382']
Original Request: All e:mails to and from Denise Graham of Planning relating to communications about the sewers/water pipes on or around Dewhurst and Strathmore Blvd. E:mails should also mention "Dewhurst" or "Donlands" or "Second Exit" from June 2010 to Feb. 2011
Tokens prepared for LDA: ['denise', 'graham', 'planning', 'relate', 'communication', 'sewer', 'water', 'dewhurst', 'strathmore', 'mention', 'dewhurst', 'donlands', 'second', 'february']
Original Request: Any records from Lobbyist Registrar's office relating to the lobbying of Councillor Cesar Palacio by [an individual] and [an individual] from Jan. 1 to Oct. 25, 2010.
Tokens prepared for LDA: ['record', 'lobbyist', 'registrar', 'office', 'relate', 'lobby', 'councillor', 'cesar', 'palacio', 'individual', 'individual', 'january', 'october']
Original Request: A copy of documents that disaggregate the overall figure of 10.4 absences (average number of sick days) taken by Toronto Public Service employees in 2010 by workers who were hired before the resolution of 2009 strike .
Tokens prepared for LDA: ['document', 'disaggregate', 'overall', 'figure', 'absence', 'average', 'toronto', 'public', 'service', 'employee', 'worker', 'resolution', 'strike']
Original Request: A copy of any documents that list the number of Toronto workers who reported injuries by type, job, city department, level of seniority, by union Local 416 and 79, or any other specific criterion.
Tokens prepared for LDA: ['document', 'toronto', 'worker', 'report', 'injury', 'department', 'level', 'seniority', 'union', 'local', 'specific', 'criterion']
Original Request: A copy of any documents that disaggregate the overall number of illness absences from Toronto Public Service employees in 2010 by city department, by job, by age of worker, by level of seniority, by union Local 416/79) or by any other search criterion.
Tokens prepared for LDA: ['document', 'disaggregate', 'overall', 'illness', 'absence', 'toronto', 'public', 'service', 'employee', 'department', 'worker', 'level', 'seniority', 'union', 'local', '416/79', 'search', 'criterion']
Original Request: A copy of all written communications between Dec. 8, 2010 and Feb. 6, 2011 on the subject of [an individual] which in years past has been held on February 6.
Tokens prepared for LDA: ['write', 'communication', 'december', 'february', 'subject', 'individual', 'february']
Original Request: A copy of all written communications pertaining to the change in press release (on January 4, 2011), including written communications between A) Jackie DeSouza or others in strategic communications and B) the Mayor's office.
Tokens prepared for LDA: ['write', 'communication', 'pertain', 'change', 'press', 'release', 'january', 'include', 'write', 'communication', 'jackie', 'desouza', 'strategic', 'communication', 'mayor', 'office']
Original Request: A copy of Mayor Rob Ford's daily itineraries from Dec. 8, 2010 to present, including printed documents or computer calendar programs.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'december', 'present', 'include', 'print', 'document', 'computer', 'calendar', 'program']
Original Request: A copy of all ML&S and building orders issued to [a specified address], Toronto, including the building order issued in 2002.
Tokens prepared for LDA: ['build', 'order', 'issue', 'specify', 'address', 'toronto', 'include', 'build', 'order', 'issue']
Original Request: A copy of the fire safety inspection report for [a specified address], Scarborough, from December 2010.
Tokens prepared for LDA: ['safety', 'inspection', 'report', 'specify', 'address', 'scarborough', 'december']
Original Request: A copy of the demolition permit prior to March 2009 for [a specified address].
Tokens prepared for LDA: ['demolition', 'permit', 'prior', 'march', 'specify', 'address].']
Original Request: A copy of all ML&S documents pertaining to [a specified address] from 2009 to 2010, including any photographs, reports, notes, notices, etc.
Tokens prepared for LDA: ['document', 'pertain', 'specify', 'address', 'include', 'photograph', 'report', 'notice']
Original Request: A copy of the fire report for [a specified address], from Dec. 14.
Tokens prepared for LDA: ['report', 'specify', 'address', 'december']
Original Request: A copy of the fire report for [a specified address], from June 13, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address']
Original Request: A copy of Toronto Zoo archival records.
Tokens prepared for LDA: ['toronto', 'archival', 'record']
Original Request: A list from Public Health including apartments that have received complaints about bed bugs from 2007 to present. The list should include address, name of complaint, type of complaint, issue, and action taken.
Tokens prepared for LDA: ['public', 'health', 'include', 'apartment', 'receive', 'complaint', 'present', 'include', 'address', 'complaint', 'complaint', 'issue', 'action']
Original Request: A copy of all sign permits for [a specified address], Toronto.
Tokens prepared for LDA: ['permit', 'specify', 'address', 'toronto']
Original Request: A copy of the Public Health inspection reports and notes for the two inspections completed in January 2011 at [a specified address]. File #101193 CRSIR
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'inspection', 'complete', 'january', 'specify', 'address].', '101193', 'crsir']
Original Request: A copy of the archival records pertaining to the architectural documents relating to [a specified address].
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'architectural', 'document', 'relate', 'specify', 'address].']
Original Request: A copy of information about the ML&S and Fire complaint records for [a specified address] in the Fall of 2010 (complaint and file records).
Tokens prepared for LDA: ['information', 'complaint', 'record', 'specify', 'address', 'complaint', 'record']
Original Request: A copy of a letter describing/allowing the use of railing lines on the north side of [a specified address]. (1930's Permit).
Tokens prepared for LDA: ['letter', 'allow', 'north', 'specify', 'address].', 'permit']
Original Request: A copy of the 911 audio tape and transcripts of the call made regarding the motor vehicle accident on February 6, 2011 at approx. 1:30 p.m. at the intersection of Evans Ave. and Browns Line.
Tokens prepared for LDA: ['audio', 'transcript', 'regard', 'motor', 'vehicle', 'accident', 'february', 'approx', 'intersection', 'evans', 'brown']
Original Request: A copy of the fire report for [a specified address], Toronto, from January 24, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january']
Original Request: A copy of the fire report for [a specified address], from January 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'january']
Original Request: A copy of the fire report for [a specified address], from December 13, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'december']
Original Request: A copy of the fire report for [a specified address], Etobicoke, from January 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto, from Feb. 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'february']
Original Request: A copy of the inspection report for [a specified address] pertaining to the requester's pioneer window and door. (Reference number 1659).
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'pertain', 'requester', 'pioneer', 'window', 'reference']
Original Request: A copy of the building permit application dated June 16, 2010 and the approved June 22, 2010 application for [a specified address], Toronto. (Reference # 10198195BLD).
Tokens prepared for LDA: ['build', 'permit', 'application', 'approve', 'application', 'specify', 'address', 'toronto', 'reference', '10198195bld']
Original Request: A copy of any / all inspection reports or documents that may have led to the closing down of [a specified address], including ML&S and Public Health.
Tokens prepared for LDA: ['inspection', 'report', 'document', 'close', 'specify', 'address', 'include', 'public', 'health']
Original Request: A copy of the completion reports and occupancy permits concerning [a specified address] for the years 1994, 1995, 1996 and 1997.
Tokens prepared for LDA: ['completion', 'report', 'occupancy', 'permit', 'concern', 'specify', 'address']
Original Request: A copy of the permit application (# 10 228088 PSA 00PS), the inspection reports made by S. Annecchini regarding tree roots infiltrating the sewer, and all building inspection reports. All for [a specified address] and all from July & Aug 2010.
Tokens prepared for LDA: ['permit', 'application', '228088', 'inspection', 'report', 'annecchini', 'regard', 'infiltrate', 'sewer', 'build', 'inspection', 'report', 'specify', 'address']
Original Request: A copy of the fire report for [a specified address], Toronto, from Jan. 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'january']
Original Request: A copy of the fire report for [a specified address], from Dec. 1, 2010. Fire incident no. F10136890.
Tokens prepared for LDA: ['report', 'specify', 'address', 'december', 'incident', 'f10136890']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 21, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of all building and ML&S documents relating to the remedial work, due to a grow op in 2005, completed on [a specified address], Scarborough.
Tokens prepared for LDA: ['build', 'document', 'relate', 'remedial', 'complete', 'specify', 'address', 'scarborough']
Original Request: A copy of the building file for [a specified address] (TEY) number 189975
Tokens prepared for LDA: ['build', 'specify', 'address', '189975']
Original Request: A copy of the complaint records and associated files for [a specified address], from September 2010 to present. (Complaints were about heating problems (etc.).
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'specify', 'address', 'september', 'present', 'complaint', 'problem']
Original Request: A copy of all complaints and associated files relating to [a specified address], from as far back as possible. ML&S and Public Health have been involved since the end of 2010.
Tokens prepared for LDA: ['complaint', 'associate', 'relate', 'specify', 'address', 'possible', 'public', 'health', 'involve']
Original Request: A copy of the fire report for [a specified address], from Jan. 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'january']
Original Request: A copy of the fire report for [a specified address], from January 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'january']
Original Request: A copy of the fire report for [a specified address], from Jan. 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto, from Dec. 27, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of the identity of the garbage collection truck helper and truck driver that used [a specified address] driveway to make a 'U' turn on August 26, 2010 around 8:00 a.m.
Tokens prepared for LDA: ['identity', 'garbage', 'collection', 'truck', 'helper', 'truck', 'driver', 'specify', 'address', 'driveway', 'august']
Original Request: A copy of a document stating when and for what reason the control valve of the sprinkler system/domestic lines at [a specified address] was shut off, including a detailed log documenting the dates, names and positions of those requesting the shut off.
Tokens prepared for LDA: ['document', 'state', 'reason', 'control', 'valve', 'sprinkler', 'domestic', 'specify', 'address', 'include', 'document', 'position', 'request']
Original Request: A copy of all maintenance files pertaining to the roadway in front of Diefenbaker Public School ( [a specified address] ) including documents pertaining to maintenance standards, work logs, etc.
Tokens prepared for LDA: ['maintenance', 'pertain', 'roadway', 'diefenbaker', 'public', 'school', 'specify', 'address', 'include', 'document', 'pertain', 'maintenance', 'standard']
Original Request: A copy of any files pertaining to the funeral arrangements and funeral for Sgt. Ryan Russell.
Tokens prepared for LDA: ['pertain', 'funeral', 'arrangement', 'funeral', 'russell']
Original Request: A copy of all files regarding complaints made by [a specified address] against 150 [a specified address] from the late 1980's to present, including dumping, debris, garbage, maintenance of property, etc.
Tokens prepared for LDA: ['regard', 'complaint', 'specify', 'address', 'specify', 'address', 'present', 'include', 'debris', 'garbage', 'maintenance', 'property']
Original Request: All documents, including but not limited to, e-mails, letters, memos and other documents exchanged between Mike Del Grande, any and all staff in the Mayor's office, Mayor Rob Ford and Councillor Doug Ford relating to the 2011 Budget.
Tokens prepared for LDA: ['document', 'include', 'limit', 'letter', 'document', 'exchange', 'grande', 'staff', 'mayor', 'office', 'mayor', 'councillor', 'relate', 'budget']
Original Request: A copy of health inspection report for [a specified address]. The inspection was done on or around Dec. 19, 2010.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address].', 'inspection', 'december']
Original Request: A copy of all building permits involved for the conversion of [a specified address] to apartments, any property sale records (i.e. when current owner purchased), any blue prints/schematics, zoning applications, etc.
Tokens prepared for LDA: ['build', 'permit', 'involve', 'conversion', 'specify', 'address', 'apartment', 'property', 'record', 'current', 'owner', 'purchase', 'print', 'schematic', 'application']
Original Request: A copy of all records from Jan. 1, 2006 to present for [a specified address], including the incident involving the compromised water main in 2008 or 2009, excess garbage in 2007 or 2008, and the fire incident report for Feb. 9, 2011.
Tokens prepared for LDA: ['record', 'january', 'present', 'specify', 'address', 'include', 'incident', 'involve', 'compromise', 'water', 'excess', 'garbage', 'incident', 'report', 'february']
Original Request: A copy of the fire incident report for [a specified address] for the incident that occurred on Feb. 20, 2011 at 4:28 a.m.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the archival records pertaining to the Queen Street Mental Health Centre. Fonds 219, Series 1624.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'queen', 'street', 'mental', 'health', 'centre', 'fonds', 'series']
Original Request: A list of all residential pools in the City of Toronto.
Tokens prepared for LDA: ['residential', 'toronto']
Original Request: A copy of the fire report number F10137363 for [a specified address].
Tokens prepared for LDA: ['report', 'f10137363', 'specify', 'address].']
Original Request: A copy of the fire report for a slip and fall at [a specified address], North of St. Clair Ave., for the incident that occurred on June 21, 2008 at approx. 2:50 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'clair', 'incident', 'occur', 'approx']
Original Request: A copy of the fire report for the motor vehicle accident at Hwy 400 and Steeles Ave. that occurred on Oct. 29, 2010 at 5:20 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'steele', 'occur', 'october']
Original Request: A copy of the fire report for [a specified address], Toronto, from Feb. 15, 2011 at 10:18 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'february', '10:18']
Original Request: A copy of the Public Health record from April 8, 2009 when [an individual] attended [a specified address] (St. Joseph's Senior Citizen's apartment) with pest control.
Tokens prepared for LDA: ['public', 'health', 'record', 'april', 'individual', 'attend', 'specify', 'address', 'joseph', 'senior', 'citizen', 'apartment', 'control']
Original Request: A copy of all ML&S records pertaining to [a specified address] from 2008-2011.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address']
Original Request: A copy of all ML&S records pertaining to [a specified address] from 2008-2011
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address']
Original Request: A copy of all ML&S records pertaining to [a specified address] from 2008-2011
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of all reports or findings of any investigation by the Office of Emergency Management department pertaining to the explosions from the Sunrise Propane plant [a specified address] on Aug. 10, 2001), including all correspondence, photos, orders, etc.
Tokens prepared for LDA: ['report', 'finding', 'investigation', 'office', 'emergency', 'management', 'department', 'pertain', 'explosion', 'sunrise', 'propane', 'plant', 'specify', 'address', 'august', 'include', 'correspondence', 'photo', 'order']
Original Request: All documents pertaining to the explosion incident at the Sunrise Propane Plant located at [a specified address] on Aug. 10, 2008, including all correspondence, reports, orders, investigations, etc. from Technical Services.
Tokens prepared for LDA: ['document', 'pertain', 'explosion', 'incident', 'sunrise', 'propane', 'plant', 'locate', 'specify', 'address', 'august', 'include', 'correspondence', 'report', 'order', 'investigation', 'technical', 'services']
Original Request: All documents pertaining to the explosion incident at the Sunrise Propane Plant located at [a specified address] on Aug. 10, 2008, including all correspondence, reports, orders, investigations, etc. from the City Manager's Office (Environment Office).
Tokens prepared for LDA: ['document', 'pertain', 'explosion', 'incident', 'sunrise', 'propane', 'plant', 'locate', 'specify', 'address', 'august', 'include', 'correspondence', 'report', 'order', 'investigation', 'manager', 'office', 'environment', 'office']
Original Request: A copy of all agreements in place between the present and former owners of the Green Lane Landfill Site and any residents, local municipality, Aboriginal group or persons with respect to the operations of the Green Lane Landfill Site.
Tokens prepared for LDA: ['agreement', 'place', 'present', 'owner', 'green', 'landfill', 'resident', 'local', 'municipality', 'aboriginal', 'group', 'person', 'respect', 'operation', 'green', 'landfill']
Original Request: A copy of documents pertaining to the RFP #3806-10-0020 which include the explanation of why the three non-compliant manufacturers were non-compliant.
Tokens prepared for LDA: ['document', 'pertain', 'include', 'explanation', 'compliant', 'manufacturer', 'compliant']
Original Request: A copy of the details for sign violations, prosecutions, sign removals for ward 19, including photographs, inspectors notes and names of complainants, for all candidates for council during the 2010 election period.
Tokens prepared for LDA: ['violation', 'prosecution', 'removal', 'include', 'photograph', 'inspector', 'complainant', 'candidate', 'council', 'election', 'period']
Original Request: A copy of the payment schedule from the contract awarded to Miller Waste for the collection of containerized waste, recyclables, organics, and bulky items (RFQ 6033-07-3143) and the actual payments made by the municipality in reference to that schedule.
Tokens prepared for LDA: ['payment', 'schedule', 'contract', 'award', 'miller', 'waste', 'collection', 'containerize', 'waste', 'recyclable', 'organic', 'bulky', 'actual', 'payment', 'municipality', 'reference', 'schedule']
Original Request: A copy of any complaints (oral, hard copy, electronic, etc.) with respect to the City sidewalk and/or roadway at Varna Drive, North of Lawrence Avenue West (opposite of Bathurst Heights Secondary School).
Tokens prepared for LDA: ['complaint', 'electronic', 'respect', 'sidewalk', 'and/or', 'roadway', 'varna', 'drive', 'north', 'lawrence', 'avenue', 'opposite', 'bathurst', 'heights', 'secondary', 'school']
Original Request: A copy of the accepted tender document item and prices for tender #40-2008, contract #08cw-400pm.
Tokens prepared for LDA: ['accept', 'tender', 'document', 'price', 'tender', 'contract', '08cw-400pm']
Original Request: A copy of all work orders during the construction of [a specified address] (during the conversion from warehouse to multi-residential condominium).
Tokens prepared for LDA: ['order', 'construction', 'specify', 'address', 'conversion', 'warehouse', 'multi', 'residential', 'condominium']
Original Request: A copy of all documentation related to "Transit City", "Transportation City", or the "5 in 10" plan land use planning related to these and other transit explanation projects & all details on the TTC's proposed compromise plan as ordered by Mayor Rob Ford.
Tokens prepared for LDA: ['documentation', 'relate', 'transit', 'transportation', 'relate', 'transit', 'explanation', 'project', 'propose', 'compromise', 'order', 'mayor']
Original Request: A copy of building file for Permit No. 118773 and 119552. for [a specified address].
Tokens prepared for LDA: ['build', 'permit', '118773', '119552', 'specify', 'address].']
Original Request: A copy of building permits for [a specified address], permit # 4324.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'permit']
Original Request: A copy of the permit record for [a specified address], North York, including the application #I83-01388 and permit #40318 (March 25, 1983) for the front veranda.
Tokens prepared for LDA: ['permit', 'record', 'specify', 'address', 'north', 'include', 'application', '01388', 'permit', '40318', 'march', 'veranda']
Original Request: A copy of all records pertaining to the water damages to [a specified address], on May 27, 2005.
Tokens prepared for LDA: ['record', 'pertain', 'water', 'damage', 'specify', 'address']
Original Request: A copy of information from 1999 to 2011 pertaining to wage subsidy grants for Funshine Centre ( [a specified address], Etobicoke), including reasons for grants and reasons for lack of grants.
Tokens prepared for LDA: ['information', 'pertain', 'subsidy', 'grant', 'funshine', 'centre', 'specify', 'address', 'etobicoke', 'include', 'reason', 'grant', 'reason', 'grant']
Original Request: A copy of all files case files from [a specified address] from ML&S and Public Health, including the illegal status of the apartment and all previous shutdowns.
Tokens prepared for LDA: ['specify', 'address', 'public', 'health', 'include', 'illegal', 'status', 'apartment', 'previous', 'shutdown']
Original Request: A copy of the two fire report for [a specified address]. One report was in March/April, 2008 and the other was prior to this - date unknown (between 1960 to 2008).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'report', 'march', 'april', 'prior', 'unknown']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the CPS test for [an individual] including any other information regarding the CPS test.
Tokens prepared for LDA: ['individual', 'include', 'information', 'regard']
Original Request: A copy of the fire report for Bathurst Street at or near Wilson Ave., from Sept. 23, 2008.
Tokens prepared for LDA: ['report', 'bathurst', 'street', 'wilson', 'september']
Original Request: A copy of the fire report and 911 call report (including audio tape) for the motor vehicle accident at Mendelssohn Street and [a specified address], from Feb. 10, 2011 at approximately 6:05 a.m.
Tokens prepared for LDA: ['report', 'report', 'include', 'audio', 'motor', 'vehicle', 'accident', 'mendelssohn', 'street', 'specify', 'address', 'february', 'approximately']
Original Request: A copy of the fire report for [a specified address] from Feb. 11, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'february']
Original Request: A copy of the fire report for the motor vehicle collision with a bicycle westbound on Bloor Street West near Spadina on May 14, 2007.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'collision', 'bicycle', 'westbound', 'bloor', 'street', 'spadina']
Original Request: A copy of the fire report for [a specified address], from Nov. 13, 2010 (approx. 9:30 p.m.) Fire incident number F10129987.
Tokens prepared for LDA: ['report', 'specify', 'address', 'november', 'approx', 'incident', 'f10129987']
Original Request: A copy of the ML&S, Fire, and Public Health inspection reports for [a specified address], from Feb. 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'specify', 'address', 'february']
Original Request: A copy of the archival records pertaining to park advertising, development, East York, Thorncliffe Park, etc.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'advertise', 'development', 'thorncliffe']
Original Request: A copy of the fire report for [a specified address] including any additional documents. The incident occurred on Feb. 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'include', 'additional', 'document', 'incident', 'occur', 'february']
Original Request: A copy of any ML&S and Fire documents for [a specified address] since Feb. 3, 2011, including all notes, reports, inspections and other documentation.
Tokens prepared for LDA: ['document', 'specify', 'address', 'february', 'include', 'report', 'inspection', 'documentation']
Original Request: A copy of the fire report for [a specified address], Don Mills, Fire Incident number F11013789, from Feb. 2, 2011 at 11:37 p.m. The fire pull station location was the second underground level parking lot.
Tokens prepared for LDA: ['report', 'specify', 'address', 'mills', 'incident', 'f11013789', 'february', '11:37', 'station', 'location', 'underground', 'level']
Original Request: A copy of the 18 letters/emails sent to PFR in objection to the renaming of McLevin Community Park received by [an individual] on or before March 30, 2010.
Tokens prepared for LDA: ['letter', 'email', 'objection', 'rename', 'mclevin', 'community', 'receive', 'individual', 'march']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 11, 2010 around 12:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march', '12:00']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 29, 2010 and the fire incident number is F10046066.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'incident', 'f10046066']
Original Request: A copy of all documents from 2006 regarding [a specified address] including files 06-117561 BLD, 06-117561 BLD-01, and 08-172376.
Tokens prepared for LDA: ['document', 'regard', 'specify', 'address', 'include', '117561', '117561', 'bld-01', '172376']
Original Request: A copy of all building permits issued / closed on the property located at [a specified address] and any documents or permits that would assist in the permitted use for the property.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'close', 'property', 'locate', 'specify', 'address', 'document', 'permit', 'assist', 'permit', 'property']
Original Request: A copy of the documents pertaining to bed bugs at [a specified address].
Tokens prepared for LDA: ['document', 'pertain', 'specify', 'address].']
Original Request: A copy of the geotechnical report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the geotechnical report for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of all reports, inspection records, correspondence, recommendations, and complaints received by the City regarding [a specified address] and [a specified address].
Tokens prepared for LDA: ['report', 'inspection', 'record', 'correspondence', 'recommendation', 'complaint', 'receive', 'regard', 'specify', 'address', 'specify', 'address].']
Original Request: A copy of the archival records pertaining to an elevated transit system proposed at the CNE in the early 1970's but never built.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'elevate', 'transit', 'propose', 'early', 'build']
Original Request: A copy of the category of call that calls to the 311 system fell into, along with the time of day (times to the nearest hour are acceptable), for the most recent full year available.
Tokens prepared for LDA: ['category', 'acceptable', 'recent', 'available']
Original Request: A copy of an electronic document showing the first three characters of the postal codes of all addresses where bed bugs were reported in 2010.
Tokens prepared for LDA: ['electronic', 'document', 'character', 'postal', 'address', 'report']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february']
Original Request: A copy of the fire report and call record for the motor vehicle accident at HWY 401 and Dufferin. The incident occurred on January 13, 2009. Fire incident # F09004815.
Tokens prepared for LDA: ['report', 'record', 'motor', 'vehicle', 'accident', 'dufferin', 'incident', 'occur', 'january', 'incident', 'f09004815']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on February 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of all records pertaining to the property building at [a specified address], (no plans required).
Tokens prepared for LDA: ['record', 'pertain', 'property', 'build', 'specify', 'address', 'require']
Original Request: A copy of all past building permit documents on file with respect to [a specified address], Scarborough.
Tokens prepared for LDA: ['build', 'permit', 'document', 'respect', 'specify', 'address', 'scarborough']
Original Request: A copy of the following building records pertaining to [a specified address], 1) a page that shows date of initial construction; 2) a page that shows demolition date for the original building; 3) all building permit records from year 2000 to present
Tokens prepared for LDA: ['follow', 'build', 'record', 'pertain', 'specify', 'address', 'initial', 'construction', 'demolition', 'original', 'build', 'build', 'permit', 'record', 'present']
Original Request: A copy of all building permit documents/drawings, site plan documents/drawings and correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of the archival records pertaining to the Toronto Housing Company's plans & construction in the first phase built in 1913 and the later additions in 1925.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'toronto', 'housing', 'company', 'construction', 'phase', 'build', 'addition']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for the motor vehicle accident at Steeles Avenue and Silver Blvd.. The incident occurred on Dec. 28, 2010 at 5:35 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'steele', 'avenue', 'silver', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on or about November 20, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of all third party sign permits for [a specified address].
Tokens prepared for LDA: ['party', 'permit', 'specify', 'address].']
Original Request: A copy of the third party sign permits for [a specified address].
Tokens prepared for LDA: ['party', 'permit', 'specify', 'address].']
Original Request: A copy of the fire report for the motor vehicle accident at Davenport Road and Mount Royal Avenue. The incident occurred on January 30, 2007 at approx. 12:00.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'davenport', 'mount', 'royal', 'avenue', 'incident', 'occur', 'january', 'approx', '12:00']
Original Request: A copy of the fire report for the motor vehicle accident on the ramp leading to the Gardiner Expressway westbound. The incident occurred on January 31, 2011 at 7:47 a.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'gardiner', 'expressway', 'westbound', 'incident', 'occur', 'january']
Original Request: A copy of the archival records regarding a proposal outline, artist's renditions, plans, and photographs of the proposed development of St. Jamestown.
Tokens prepared for LDA: ['archival', 'record', 'regard', 'proposal', 'outline', 'artist', 'rendition', 'photograph', 'propose', 'development', 'jamestown']
Original Request: A copy of the fire report for the motor vehicle accident at Bichmount Road and Danforth Road at approx. 5:10 p.m. The incident occurred on July 21, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'bichmount', 'danforth', 'approx', 'incident', 'occur']
Original Request: A copy of the inspection history for [a specified address], Etobicoke, for building permit #10111419.. The inspection history is from March 2010 to present.
Tokens prepared for LDA: ['inspection', 'history', 'specify', 'address', 'etobicoke', 'build', 'permit', '10111419', 'inspection', 'history', 'march', 'present']
Original Request: A copy of the sign permit for [a specified address] from 1993 (Building Permit #084073) and a copy of any previous sign permits.
Tokens prepared for LDA: ['permit', 'specify', 'address', 'building', 'permit', '084073', 'previous', 'permit']
Original Request: A copy of the fire report for [a specified address]. The fire report number is F10132026. The fire occurred in November 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'report', 'f10132026', 'occur', 'november']
Original Request: A copy of the confidential attachment that appeared with a November 23, 2009 staff report to council regarding a then proposed land deal with the Toronto Port Authority.
Tokens prepared for LDA: ['confidential', 'attachment', 'appear', 'november', 'staff', 'report', 'council', 'regard', 'propose', 'toronto', 'authority']
Original Request: A copy of the building permit documents/drawings, the site plan documents/drawings, and the correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of an electronic document showing the volume of pedestrian traffic at all signalized intersections in the city.
Tokens prepared for LDA: ['electronic', 'document', 'volume', 'pedestrian', 'traffic', 'signalize', 'intersection']
Original Request: A copy of any pictures taken by the inspectors and/or community meeting minutes or transcripts and/or any municipal debated regarding the installation or repair of the sewer system for [a specified address].
Tokens prepared for LDA: ['picture', 'inspector', 'and/or', 'community', 'minute', 'transcript', 'and/or', 'municipal', 'debate', 'regard', 'installation', 'repair', 'sewer', 'specify', 'address].']
Original Request: A copy of any staff records for Arthur Norman Martin who was an architectural renderer for the City of Toronto from 1948 to 1958.
Tokens prepared for LDA: ['staff', 'record', 'arthur', 'norman', 'martin', 'architectural', 'renderer', 'toronto']
Original Request: A copy of the fire report for [a specified address], Toronto. The fire occurred on January 11, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The fire occurred on February 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'occur', 'february']
Original Request: A copy of the inspection report, orders to comply, and all documents for [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'order', 'comply', 'document', 'specify', 'address].']
Original Request: A copy of all building permit and inspection documents for [a specified address] since 1958, particularly anything regarding this unit being a triplex unit.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'document', 'specify', 'address', 'particularly', 'regard', 'triplex']
Original Request: A copy of the inspections, notifications, and documents regarding structure (H-Vac), including the final inspection for [a specified address], Etobicoke.
Tokens prepared for LDA: ['inspection', 'notification', 'document', 'regard', 'structure', 'include', 'final', 'inspection', 'specify', 'address', 'etobicoke']
Original Request: A copy of any records pertaining to the water main/sewer back up issues which caused water damages to [a specified address] on June 27, 2010. Also any inspections reports, maintenance records and service records from 1980 to present for the water main.
Tokens prepared for LDA: ['record', 'pertain', 'water', 'sewer', 'issue', 'cause', 'water', 'damage', 'specify', 'address', 'inspection', 'report', 'maintenance', 'record', 'service', 'record', 'present', 'water']
Original Request: A copy of the maintenance records for the water main, distribution system, and sewer system servicing Parkview Crescent.
Tokens prepared for LDA: ['maintenance', 'record', 'water', 'distribution', 'sewer', 'service', 'parkview', 'crescent']
Original Request: A copy of the letter/email sent by PFR Yasmin Carter and Andy Koropeski to Scarborough Historical Society (SHS) asking for advise on reexamining McLevin Community Park. Also a copy of the responses to this letter/email.
Tokens prepared for LDA: ['letter', 'email', 'yasmin', 'carter', 'koropeski', 'scarborough', 'historical', 'society', 'advise', 'reexamine', 'mclevin', 'community', 'response', 'letter', 'email']
Original Request: A copy of the fire safety plan for [a specified address], Toronto.
Tokens prepared for LDA: ['safety', 'specify', 'address', 'toronto']
Original Request: A copy of the fire report and fire inspection records for [a specified address], Scarborough. The incident occurred on January 1, 2011.
Tokens prepared for LDA: ['report', 'inspection', 'record', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 26, 2008. Fire Incident Number: F08058862.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'number', 'f08058862']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on December 26, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on February 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'february']
Original Request: A copy of the inspection records, reports, and notes that were completed on or about July 26, 2010 by Dario Vendetti. The inspections are in regards to the perimeter of [a specified address] and a fence and gate encroaching on the property.
Tokens prepared for LDA: ['inspection', 'record', 'report', 'complete', 'dario', 'vendetti', 'inspection', 'regard', 'perimeter', 'specify', 'address', 'fence', 'encroach', 'property']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on February 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on September 19, 2010. Fire Incident Number: F10106070.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september', 'incident', 'number', 'f10106070']
Original Request: An electronic document showing the location, seriousness, and other details of all reported collisions involving cyclists and pedestrians for the last 10 complete years.
Tokens prepared for LDA: ['electronic', 'document', 'location', 'seriousness', 'report', 'collision', 'involve', 'cyclist', 'pedestrian', 'complete']
Original Request: A copy of the building inspection reports for permit #B9803373 (the inspections are for plumbing and structural reports.). Also a copy of the signed and dated inspection reports for the original building permit. All pertaining to [a specified address].
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit', 'b9803373', 'inspection', 'plumb', 'structural', 'report', 'inspection', 'report', 'original', 'build', 'permit', 'pertain', 'specify', 'address].']
Original Request: A copy of all records pertaining to the notice of violation for [a specified address], Toronto. Folder #: 10 289048 FEN 00 IV. Notice dated November 30, 2010.
Tokens prepared for LDA: ['record', 'pertain', 'notice', 'violation', 'specify', 'address', 'toronto', 'folder', '289048', 'notice', 'november']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of the original certificate of hotel occupancy issued in 1970 and 1981 for Holiday Inn Toronto International Airport located at [a specified address], Toronto.
Tokens prepared for LDA: ['original', 'certificate', 'hotel', 'occupancy', 'issue', 'holiday', 'toronto', 'international', 'airport', 'locate', 'specify', 'address', 'toronto']
Original Request: A copy of the permit for the tree removal of 7 large Austrian Pines at [a specified address]. Also any relevant information associated with the permit, including application, inspection reports, etc.
Tokens prepared for LDA: ['permit', 'removal', 'large', 'austrian', 'pine', 'specify', 'address].', 'relevant', 'information', 'associate', 'permit', 'include', 'application', 'inspection', 'report']
Original Request: A copy of the ambulance call report and dispatch records for the incident at No Frills, Albion Mall, [a specified address], Etobicoke. The incident occurred on August 27, 2010.
Tokens prepared for LDA: ['ambulance', 'report', 'dispatch', 'record', 'incident', 'frill', 'albion', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august']
Original Request: A copy of the building documents for [a specified address], including file number 97 - 01601 BLD 00 SR
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', '01601']
Original Request: A copy of the building documents for [a specified address].
Tokens prepared for LDA: ['build', 'document', 'specify', 'address].']
Original Request: A copy of the building documents for [a specified address].
Tokens prepared for LDA: ['build', 'document', 'specify', 'address].']
Original Request: A copy of all construction/roadwork performed on Sept. 20, 2006 on St. Clair Avenue East at or near the intersection of O'Connor Drive. Including any photos, time logs, construction company details, duration of construction projects and all relevant info.
Tokens prepared for LDA: ['construction', 'roadwork', 'perform', 'september', 'clair', 'avenue', 'intersection', "o'connor", 'drive', 'include', 'photo', 'construction', 'company', 'duration', 'construction', 'project', 'relevant']
Original Request: Any city documents in which City employees break down the $8 million total savings estimate into the specific areas of savings that constitute the $8 million total as quoted by Mayor Ford and Councillor Denzil Minnan-Wong on Feb. 7, 2011..
Tokens prepared for LDA: ['document', 'employee', 'break', 'million', 'total', 'saving', 'estimate', 'specific', 'saving', 'constitute', 'million', 'total', 'quote', 'mayor', 'councillor', 'denzil', 'minnan', 'february']
Original Request: Mayor Rob Ford was inaugurated on Dec. 7, 2010. Requester is looking for all e:mails sent from any @toronto.ca address from the time Mayor Ford received any such address until the present day.
Tokens prepared for LDA: ['mayor', 'inaugurate', 'december', 'requester', '@toronto.ca', 'address', 'mayor', 'receive', 'address', 'present']
Original Request: A copy of employment contract and terms of employment relating to Derek Ballantyne (currently Chief Operating Officer of Build Toronto).
Tokens prepared for LDA: ['employment', 'contract', 'employment', 'relate', 'derek', 'ballantyne', 'currently', 'chief', 'operate', 'officer', 'build', 'toronto']
Original Request: A copy of the fire report for [a specified address]., Etobicoke. The fire incident occurred on Feb. 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'etobicoke', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address], Toronto. The fire incident occurred on March 3, 2011 at 10:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', '10:00']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The fire incident occurred on Dec. 18, 2010 at approx. 4:30 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'december', 'approx']
Original Request: A copy of the fire report for [a specified address], Toronto. The fire incident occurred on Feb. 17, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the final job evaluations and job description for TM0909 Supervisor, Real Estate, including the final rating sheet.
Tokens prepared for LDA: ['final', 'evaluation', 'description', 'tm0909', 'supervisor', 'estate', 'include', 'final', 'sheet']
Original Request: A copy of the report from right of way management regarding the snow mountain being built on the boulevard of Bluebell Gate.
Tokens prepared for LDA: ['report', 'right', 'management', 'regard', 'mountain', 'build', 'boulevard', 'bluebell']
Original Request: A copy of the building permits for [a specified address]. The permit numbers are 50239 and 1958.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address].', 'permit', 'number', '50239']
Original Request: A copy of cheque submitted to the City Transportation relating to Municipal Road Damage Deposit for [a specified address]. Also, copies of e:mail correspondence between John Kowalenko and [an individual].
Tokens prepared for LDA: ['cheque', 'submit', 'transportation', 'relate', 'municipal', 'damage', 'deposit', 'specify', 'address].', 'correspondence', 'kowalenko', 'individual].']
Original Request: A copy of sewer back up records with respect to [a specified address], Scarborough. The incidents occurred on June 1, 2010 and Feb. 5, 2011. In particular, the time of technician's arrival at the site and the location where the sewer was unclogged.
Tokens prepared for LDA: ['sewer', 'record', 'respect', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february', 'particular', 'technician', 'arrival', 'location', 'sewer', 'unclog']
Original Request: Archival records on Fonds 200, Series 368, File 6098 for streets, sewers and drains, City of North York
Tokens prepared for LDA: ['archival', 'record', 'fonds', 'series', 'street', 'sewer', 'drain', 'north']
Original Request: A copy of building file for [a specified address], Toronto (File # 05128698).
Tokens prepared for LDA: ['build', 'specify', 'address', 'toronto', '05128698']
Original Request: A copy of building documents for permits 386717, 387233, 390387. The property address is [a specified address].
Tokens prepared for LDA: ['build', 'document', 'permit', '386717', '387233', '390387', 'property', 'address', 'specify', 'address].']
Original Request: A copy of building permits, inspections, encroachments, plans, landfill site construction, ML&S records and violations for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'encroachment', 'landfill', 'construction', 'record', 'violation', 'specify', 'address].']
Original Request: A copy of building permits, inspections for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'specify', 'address].']
Original Request: A copy of the 911 call transcript and audio recording of the 911 call from the motor vehicle accident that occurred on January 1, 2010 at 2:00. The incident occurred at the intersection of Runnymede Road and Dundas Street West.
Tokens prepared for LDA: ['transcript', 'audio', 'record', 'motor', 'vehicle', 'accident', 'occur', 'january', 'incident', 'occur', 'intersection', 'runnymede', 'dundas', 'street']
Original Request: A copy of the archival records pertaining to the Canadian Bank of Commerce.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'canadian', 'commerce']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 27, 2011 (F11011215). Please include all additional notes or information relating to this incident including the 311 Report reference number 862701 dated January 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january', 'f11011215', 'include', 'additional', 'information', 'relate', 'incident', 'include', 'report', 'reference', '862701', 'january']
Original Request: A copy of all records relating to [a specified address], including the Transportation Staff Report per North York Community Council Agenda Item 4.31 on February 16, 2011. The records should be from December 2010 to present.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'transportation', 'staff', 'report', 'north', 'community', 'council', 'agenda', 'february', 'record', 'december', 'present']
Original Request: A list of all City of Toronto owned properties with addresses.
Tokens prepared for LDA: ['toronto', 'property', 'address']
Original Request: A copy of all service requests, inspection notes, repair records, EMS response records, investigation notes, pertaining to the broken water main/flooding incident that occurred on November 13, 2009 at [a specified address]
Tokens prepared for LDA: ['service', 'request', 'inspection', 'repair', 'record', 'response', 'record', 'investigation', 'pertain', 'break', 'water', 'flood', 'incident', 'occur', 'november', 'specify', 'address']
Original Request: A copy of all records sent to the City of Toronto regarding applications for a permit to construct or demolish for third party signs including approved applications and a complete inventory of third party signs from April 2010 to present.
Tokens prepared for LDA: ['record', 'toronto', 'regard', 'application', 'permit', 'construct', 'demolish', 'party', 'include', 'approve', 'application', 'complete', 'inventory', 'party', 'april', 'present']
Original Request: A copy of clearance report from Public Health relating to [a specified address], North York (2007-2010) The report was on mould test and air test conducted on the property.
Tokens prepared for LDA: ['clearance', 'report', 'public', 'health', 'relate', 'specify', 'address', 'north', 'report', 'mould', 'conduct', 'property']
Original Request: A copy of all permits, building applications for [a specified address], Etobicoke for last year.
Tokens prepared for LDA: ['permit', 'build', 'application', 'specify', 'address', 'etobicoke']
Original Request: A copy of heat inspection report from ML&S for [a specified address], Toronto. The inspection was done in December 2010.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'toronto', 'inspection', 'december']
Original Request: All records from Toronto Building with respect to [a specified address], Toronto relating to grow op remediation work. (File Nos. 07-246938 PRS IV, 07-246969 PRS IV, 07-247026 PRS IV)
Tokens prepared for LDA: ['record', 'toronto', 'building', 'respect', 'specify', 'address', 'toronto', 'relate', 'remediation', '246938', '246969', '247026']
Original Request: A full history of taxes paid with respect to [a specified address].
Tokens prepared for LDA: ['history', 'taxis', 'respect', 'specify', 'address].']
Original Request: A copy of the report from Facilities Management relating to an incident which occurred on the concourse steps of the Scarborough Civic Centre. The incident occurred at approx. 1:30 p.m. on Monday Feb.14, 2011.
Tokens prepared for LDA: ['report', 'facility', 'management', 'relate', 'incident', 'occur', 'concourse', 'scarborough', 'civic', 'centre', 'incident', 'occur', 'approx', 'monday', 'feb.14']
Original Request: A copy of a plan to finance a private-public partnership, and all related documentation, which staff from the Mayor's office, including Mark Towhey, presented to Metrolinx officials in a meeting on Feb. 15, 2011.
Tokens prepared for LDA: ['finance', 'private', 'public', 'partnership', 'relate', 'documentation', 'staff', 'mayor', 'office', 'include', 'towhey', 'present', 'metrolinx', 'official', 'february']
Original Request: A copy of all related documentation of the pre-budget submission that the Mayor and/or his staff made to the federal government in advance of the federal government's 2011 budget.
Tokens prepared for LDA: ['relate', 'documentation', 'budget', 'submission', 'mayor', 'and/or', 'staff', 'federal', 'government', 'advance', 'federal', 'government', 'budget']
Original Request: A copy of all details/documents from Build Toronto employees who have received a severance package (without identifying details of employees), including how much Build Toronto has spent on severance and for how many employees (or related documents).
Tokens prepared for LDA: ['document', 'build', 'toronto', 'employee', 'receive', 'severance', 'package', 'identify', 'employee', 'include', 'build', 'toronto', 'spend', 'severance', 'employee', 'relate', 'document']
Original Request: A copy of the expenses and/or travel expenses since Build Toronto's inception for certain employees.
Tokens prepared for LDA: ['expense', 'and/or', 'travel', 'expense', 'build', 'toronto', 'inception', 'certain', 'employee']
Original Request: A copy of the past work orders for [a specified address] from 2000 to present, including any inspections completed.
Tokens prepared for LDA: ['order', 'specify', 'address', 'present', 'include', 'inspection', 'complete']
Original Request: A copy of the fire report for [a specified address], The incident occurred on Feb. 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address]. The fire occurred on January 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on Jan. 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for a motor vehicle accident located at Eglinton Avenue East and Forman Avenue. The incident occurred on May 8, 2006 at approx. 19:50.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'locate', 'eglinton', 'avenue', 'forman', 'avenue', 'incident', 'occur', 'approx', '19:50']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 14, 2011 at approx. 13:15. The fire report number is F11029621.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', 'approx', '13:15', 'report', 'f11029621']
Original Request: A copy of the sewer maintenance and inspection records for the sewer responsible for the sewer back up at [a specified address], North York. The incident occurred on March 13, 2010 and the requester would like records since March 13, 2009.
Tokens prepared for LDA: ['sewer', 'maintenance', 'inspection', 'record', 'sewer', 'responsible', 'sewer', 'specify', 'address', 'north', 'incident', 'occur', 'march', 'requester', 'record', 'march']
Original Request: A copy of the road cut permits and road occupancy permits from June 11, 2009 to December 11, 2009 for the intersection of Shaw Street and Dundas Street West. Also a list of the City of Toronto work crews working at this location during this time period.
Tokens prepared for LDA: ['permit', 'occupancy', 'permit', 'december', 'intersection', 'street', 'dundas', 'street', 'toronto', 'location', 'period']
Original Request: A copy of all records (excluding email correspondence) used to calculate a list of items with respect to waste collection between 2007 and 2011 and information pertaining to the Miller Waste Systems.
Tokens prepared for LDA: ['record', 'exclude', 'email', 'correspondence', 'calculate', 'respect', 'waste', 'collection', 'information', 'pertain', 'miller', 'waste', 'system']
Original Request: A copy of certain pages from the RFQ No.: 0114-11-0001. The submission was made by Work Authority. Requester references appeal no.: MO-1861.
Tokens prepared for LDA: ['certain', 'submission', 'authority', 'requester', 'reference', 'appeal', 'mo-1861']
Original Request: A copy of the fire report for the motor vehicle accident at [a specified address]. The incident occurred on May 28, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for the motor vehicle accident on HWY 401 near Basketweave. The incident occurred on July 15, 2008 at approx. 6:30 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'basketweave', 'incident', 'occur', 'approx']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Yonge and Sheppard. The incident occurred on March 15, 2011.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'yonge', 'sheppard', 'incident', 'occur', 'march']
Original Request: A copy of the reasons/issues the whirl pool at [a specified address] was required to close, including specific dates when this took effect. Also a copy of the records pertaining to a water problem - when and why the City worked on the pipes in 2010.
Tokens prepared for LDA: ['reason', 'issue', 'whirl', 'specify', 'address', 'require', 'close', 'include', 'specific', 'effect', 'record', 'pertain', 'water', 'problem']
Original Request: A copy of any building documents pertaining to [a specified address], including building permits and demolition permits for both existing and former structures.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'specify', 'address', 'include', 'build', 'permit', 'demolition', 'permit', 'exist', 'structure']
Original Request: A copy of any building documents pertaining to [a specified address], including building permits and demolition permits for both existing and former structures.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'specify', 'address', 'include', 'build', 'permit', 'demolition', 'permit', 'exist', 'structure']
Original Request: A copy of any building documents pertaining to [a specified address], including building permits and demolition permits for both existing and former structures.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'specify', 'address', 'include', 'build', 'permit', 'demolition', 'permit', 'exist', 'structure']
Original Request: A copy of any building documents pertaining to [a specified address], including building permits and demolition permits for both existing and former structures.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'specify', 'address', 'include', 'build', 'permit', 'demolition', 'permit', 'exist', 'structure']
Original Request: A copy of any building documents pertaining to [a specified address] including building permits and demolition permits for both existing and former structures.
Tokens prepared for LDA: ['build', 'document', 'pertain', 'specify', 'address', 'include', 'build', 'permit', 'demolition', 'permit', 'exist', 'structure']
Original Request: A copy of the geotechnical reports for [a specified address].
Tokens prepared for LDA: ['geotechnical', 'report', 'specify', 'address].']
Original Request: A copy of the ML&S file #11102654 concerning [a specified address]. Also any additional document concerning this property.
Tokens prepared for LDA: ['11102654', 'concern', 'specify', 'address].', 'additional', 'document', 'concern', 'property']
Original Request: A copy of all building permits and inspection reports, including information on any electrical, plumbing, or other work completed on [a specified address] from the year 2000 to August 2008.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'include', 'information', 'electrical', 'plumb', 'complete', 'specify', 'address', 'august']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 24, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of communications involving the Mayor's office and Woodbine Live! and the Tax Increment Equivalent Grants (TIEG's). Documents from January 2006 to January 2009.
Tokens prepared for LDA: ['communication', 'involve', 'mayor', 'office', 'woodbine', 'increment', 'equivalent', 'grant', 'document', 'january', 'january']
Original Request: A copy of the representations submitted to the Economic Development Committee in 2007 and a copy of the submission to City Council in 2008 regarding the Board of Trade and York Region Labour Council.
Tokens prepared for LDA: ['representation', 'submit', 'economic', 'development', 'committee', 'submission', 'council', 'regard', 'board', 'trade', 'region', 'labour', 'council']
Original Request: A copy of the electrical report regarding the stove outlet and a copy of the report regarding the apartment heating for [a specified address].
Tokens prepared for LDA: ['electrical', 'report', 'regard', 'stave', 'outlet', 'report', 'regard', 'apartment', 'specify', 'address].']
Original Request: A copy of the report for the slip and fall incident that occurred at [a specified address]. The incident occurred on September 17, 2010.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'specify', 'address].', 'incident', 'occur', 'september']
Original Request: A copy of all building inspections and notes pertaining to [a specified address] from 2003 to present.
Tokens prepared for LDA: ['build', 'inspection', 'pertain', 'specify', 'address', 'present']
Original Request: A copy of the inspection reports for the landscaping work of [a specified address] in the summer of 2010.
Tokens prepared for LDA: ['inspection', 'report', 'landscape', 'specify', 'address', 'summer']
Original Request: A copy of the inspection report and notes prepared by Peter Moody regarding [a specified address] with respect to bed bugs.
Tokens prepared for LDA: ['inspection', 'report', 'prepare', 'peter', 'moody', 'regard', 'specify', 'address', 'respect']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 17, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the building file #01-117710 regarding [a specified address].
Tokens prepared for LDA: ['build', '117710', 'regard', 'specify', 'address].']
Original Request: A copy of the details on the following non compliance / work orders pertaining to [a specified address] . 10175652 WNP 00VI, 11119317 WNP 00VI, 10175652 WNP 00VI, 11119317 WNP 00VI, PL 603 PT LTS 9 & 10, 63R-4113 PTS 1 & 2.
Tokens prepared for LDA: ['follow', 'compliance', 'order', 'pertain', 'specify', 'address', '10175652', '11119317', '10175652', '11119317', '63r-4113']
Original Request: A copy of records for [a specified address] pertaining to Building and Planning folder #RSN 271 3694, Building Plan #10-256910-ZZC-00-ZR, zoning review and committee of adjustment file #A 568/10 EYK. Including all related documents to this project.
Tokens prepared for LDA: ['record', 'specify', 'address', 'pertain', 'building', 'planning', 'folder', 'building', '256910-zzc-00-zr', 'review', 'committee', 'adjustment', '568/10', 'include', 'relate', 'document', 'project']
Original Request: A copy of records for [a specified address] pertaining to Building permit #09-179121 BLD-01-SR and zoning review and committee of adjustment A463/09EYK.
Tokens prepared for LDA: ['record', 'specify', 'address', 'pertain', 'building', 'permit', '179121', 'bld-01-sr', 'review', 'committee', 'adjustment', 'a463/09eyk']
Original Request: A copy of the heat inspection report for [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address].']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondence for the commercial property at [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'commercial', 'property', 'specify', 'address].']
Original Request: A copy of the records relating to the flooding at [a specified address], Toronto, more specifically the current status in writing of the response by city investigators.
Tokens prepared for LDA: ['record', 'relate', 'flood', 'specify', 'address', 'toronto', 'specifically', 'current', 'status', 'write', 'response', 'investigator']
Original Request: A copy of Mayor Rob Ford's daily itineraries from December 8, 2010 to February 15, 2011, including documents or computer calendar programs.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'december', 'february', 'include', 'document', 'computer', 'calendar', 'program']
Original Request: A copy of the fire report for [a specified address]. The incident occurred in 2011 and the incident number is F11032252. There was a water pipe that burst causing a flood.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'incident', 'f11032252', 'water', 'burst', 'cause', 'flood']
Original Request: A copy of the fire report for a garage fire at [a specified address], Toronto. The incident occurred on February 23, 2011.
Tokens prepared for LDA: ['report', 'garage', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the building permits for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address].']
Original Request: A copy of recent records with Public Health regarding complaints filed by [an individual]. The complaints are in relation to [an individual] tenancy at [a specified address].
Tokens prepared for LDA: ['recent', 'record', 'public', 'health', 'regard', 'complaint', 'individual].', 'complaint', 'relation', 'individual', 'tenancy', 'specify', 'address].']
Original Request: A copy of the fire report for the motor vehicle accident on the Gardiner Expressway near Dowling Avenue. The incident occurred on April 28, 2010.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'gardiner', 'expressway', 'dowling', 'avenue', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on October 19, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for an incident that occurred on October 11, 2009. The fire incident number is F09114348.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'october', 'incident', 'f09114348']
Original Request: A copy of the fire report for the motor vehicle accident at Keele Street and Grand Ravine Drive. The incident occurred on April 27, 2007. The fire incident number is F07046863.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'keele', 'street', 'grand', 'ravine', 'drive', 'incident', 'occur', 'april', 'incident', 'f07046863']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on December 25, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'december']
Original Request: A copy of the building file number 10-170004 regarding [a specified address].
Tokens prepared for LDA: ['build', '170004', 'regard', 'specify', 'address].']
Original Request: A copy of the building documents pertaining to [a specified address], including file number B41177 (1934).
Tokens prepared for LDA: ['build', 'document', 'pertain', 'specify', 'address', 'include', 'b41177']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on March 13, 2011. Also including information detailing who made the distress call, at what time, to which departments and why police were also called.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'march', 'include', 'information', 'distress', 'department', 'police']
Original Request: A copy of the fire report for a car fire at [a specified address], Etobicoke. The incident occurred on March 17, 2011. The client's car was stolen and was found on fire in a parking lot around 7:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'march', 'client', 'steal']
Original Request: A copy of all emails, letters and records regarding the formation of dog parks between May 2007 to April 2008.
Tokens prepared for LDA: ['email', 'letter', 'record', 'regard', 'formation', 'april']
Original Request: A copy of the plumbing site inspection reports, building site inspection reports, letters of correspondence, and reports regarding storm draining plan, site drainage and municipal drainage. Records relate to [a specified address].
Tokens prepared for LDA: ['plumb', 'inspection', 'report', 'build', 'inspection', 'report', 'letter', 'correspondence', 'report', 'regard', 'storm', 'drain', 'drainage', 'municipal', 'drainage', 'record', 'relate', 'specify', 'address].']
Original Request: A copy of all building inspection reports for [a specified address].
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address].']
Original Request: A copy of all letters and emails between Councillor Raymond Cho and the officers of the McLevin Park Tennis Club between September 1, 2010 to present.
Tokens prepared for LDA: ['letter', 'email', 'councillor', 'raymond', 'officer', 'mclevin', 'tennis', 'september', 'present']
Original Request: A copy of all building permit documents/drawings, site plan documents/drawings, and correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of all building permit documents/drawings, site plan documents/drawings, and correspondence for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A list of the groups and organizations that have been allotted time at Cherry Beach Sports Fields in 2011, by day, time, week, from April to September.
Tokens prepared for LDA: ['group', 'organization', 'allot', 'cherry', 'beach', 'sport', 'fields', 'april', 'september']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 21, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address]. The elevator incident occurred on July 16, 2010 at approximately 4:10 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'elevator', 'incident', 'occur', 'approximately']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 11, 2011. Records also should include any notes, reports, drawings, diagrams, photographs, etc.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february', 'record', 'include', 'report', 'drawing', 'diagram', 'photograph']
Original Request: A copy of the fire report for the motor vehicle accident at [a specified address]. The incident occurred on February 3, 2010.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'specify', 'address].', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 14, 2011. The fire incident number is F11029723.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', 'incident', 'f11029723']
Original Request: A copy of the Mayor's itinerary, either from printed documents or computer calendar programs from February 14, 2011 to the present date.
Tokens prepared for LDA: ['mayor', 'itinerary', 'print', 'document', 'computer', 'calendar', 'program', 'february', 'present']
Original Request: A copy of evidence & records regarding due diligence the City may have done regarding liabilities associated with purchasing the Ashbridges Bay lands from the Toronto Port Authority, remediating and or removing soil and using site for LRV-related purposes
Tokens prepared for LDA: ['evidence', 'record', 'regard', 'diligence', 'regard', 'liability', 'associate', 'purchase', 'ashbridges', 'toronto', 'authority', 'remediate', 'remove', 'relate', 'purpose']
Original Request: A copy of the ML&S records for [a specified address] from 2007 to present date.
Tokens prepared for LDA: ['record', 'specify', 'address', 'present']
Original Request: A copy of the records relating to the name, phone number and address of the person who notified ML&S about a non-existent illegal suite relating to [a specified address].
Tokens prepared for LDA: ['record', 'relate', 'phone', 'address', 'person', 'notify', 'existent', 'illegal', 'suite', 'relate', 'specify', 'address].']
Original Request: A list of staff working in the Mayor's Office (including names, job titles, phone numbers and email addresses) as of December 1, 2010, January 1, February 1, and March 1, 2011.
Tokens prepared for LDA: ['staff', 'mayor', 'office', 'include', 'title', 'phone', 'number', 'email', 'address', 'december', 'january', 'february', 'march']
Original Request: A copy of records relating to the altercation at the Toronto Track and Field Centre on March 3, 2011, including video footage, witness statements, investigation reports, names and contact information, and communication records.
Tokens prepared for LDA: ['record', 'relate', 'altercation', 'toronto', 'track', 'field', 'centre', 'march', 'include', 'video', 'footage', 'witness', 'statement', 'investigation', 'report', 'contact', 'information', 'communication', 'record']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the permit no. 1996 014080 Bld 00BA including application and related documents, a copy of the license agreement 383509 (for multi-residential rooming), and correspondence or notices issued regarding these documents for [a specified address].
Tokens prepared for LDA: ['permit', '014080', 'include', 'application', 'relate', 'document', 'license', 'agreement', '383509', 'multi', 'residential', 'correspondence', 'notice', 'issue', 'regard', 'document', 'specify', 'address].']
Original Request: A copy of the environmental site investigations, reports, and assessments mentioned in the request regarding the Toronto Port Lands Company (formerly TEDCO).
Tokens prepared for LDA: ['environmental', 'investigation', 'report', 'assessment', 'mention', 'request', 'regard', 'toronto', 'land', 'company', 'tedco']
Original Request: A copy of the records pertaining to the sewer back up at [a specified address], Etobicoke. The incident occurred on January 9, 2011. Claim File: W11010249.
Tokens prepared for LDA: ['record', 'pertain', 'sewer', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'january', 'claim', 'w11010249']
Original Request: A copy of the records pertaining to the sewer back up (street flood) at [a specified address], North York. The incident occurred on February 3, 2011. Claim File W11010603.
Tokens prepared for LDA: ['record', 'pertain', 'sewer', 'street', 'flood', 'specify', 'address', 'north', 'incident', 'occur', 'february', 'claim', 'w11010603']
Original Request: A copy of the cab driver license file from 2006 to the present date with respect to [an individual].
Tokens prepared for LDA: ['driver', 'license', 'present', 'respect', 'individual].']
Original Request: A copy of all inspection notes, files, information, correspondence, application status, meeting minutes, and other communication documents regarding the building, plumbing, and mechanical permits for [a specified address].
Tokens prepared for LDA: ['inspection', 'information', 'correspondence', 'application', 'status', 'minute', 'communication', 'document', 'regard', 'build', 'plumb', 'mechanical', 'permit', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on December 3, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'december']
Original Request: A copy of the fire report from November 1, 2007. The fire inspection number is F07124468.
Tokens prepared for LDA: ['report', 'november', 'inspection', 'f07124468']
Original Request: A copy of the Mayor Rob Ford's daily schedule from February 1, 2011 to March 31, 2011.
Tokens prepared for LDA: ['mayor', 'daily', 'schedule', 'february', 'march']
Original Request: A copy of the documents pertaining to designation of unsuitability due to proximity to houses or residences for Glendora PArk, Bellbury Park, Lescon Park, Pineway Park, Willowdale Park, and Cloverdale Park.
Tokens prepared for LDA: ['document', 'pertain', 'designation', 'unsuitability', 'proximity', 'house', 'residence', 'glendora', 'bellbury', 'lescon', 'pineway', 'willowdale', 'cloverdale']
Original Request: A copy of the building file number 11-137221 A0 for the property located at [a specified address].
Tokens prepared for LDA: ['build', '137221', 'property', 'locate', 'specify', 'address].']
Original Request: A copy of any and all documentation relating to construction activities in the area of [a specified address] between November 8, 2008 and December 8, 2008, including all contracts, approvals, inspection reports and other documentation relating to construction.
Tokens prepared for LDA: ['documentation', 'relate', 'construction', 'activity', 'specify', 'address', 'november', 'december', 'include', 'contract', 'approval', 'inspection', 'report', 'documentation', 'relate', 'construction']
Original Request: A copy of the EMS report, including the 911 call tapes with respect to the incident from March 9, 2007. The incident occurred at [a specified address] at approximately 2:35 p.m.
Tokens prepared for LDA: ['report', 'include', 'respect', 'incident', 'march', 'incident', 'occur', 'specify', 'address', 'approximately']
Original Request: A copy of the property records for [a specified address] (pertaining to work completed by OJCR Construction) and all communications to and from [an individual] and the City of Toronto.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'pertain', 'complete', 'construction', 'communication', 'individual', 'toronto']
Original Request: A copy of the building permit for [a specified address] pertaining to the first application for gas station permits (i.e. for underground storage tank installation or upgrade).
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'pertain', 'application', 'station', 'permit', 'underground', 'storage', 'installation', 'upgrade']
Original Request: An electronic list of all Toronto Taxi license owners.
Tokens prepared for LDA: ['electronic', 'toronto', 'license', 'owner']
Original Request: A copy of violations issued to [a specified address] by Fire Services within the past three weeks (since March 14, 2011).
Tokens prepared for LDA: ['violation', 'issue', 'specify', 'address', 'services', 'march']
Original Request: A copy of the occupancy permit # 11-137221 issued on March 21, 2011 for [a specified address], including all related documents (i.e. mapping, plans, notes describing the areas cleared). Also a copy of the building inspection notes regarding the permit.
Tokens prepared for LDA: ['occupancy', 'permit', '137221', 'issue', 'march', 'specify', 'address', 'include', 'relate', 'document', 'clear', 'build', 'inspection', 'regard', 'permit']
Original Request: A copy of the records pertaining to a sewer back up at [a specified address], Scarborough. The incident occurred on March 5, including the response details from March 5 to March 21.
Tokens prepared for LDA: ['record', 'pertain', 'sewer', 'specify', 'address', 'scarborough', 'incident', 'occur', 'march', 'include', 'response', 'march', 'march']
Original Request: A copy of the records regarding an underground water main break outside [a specified address] on March 9, 2011, including why the water line failed, what was done to the problem and any service records prior to the incident.
Tokens prepared for LDA: ['record', 'regard', 'underground', 'water', 'break', 'outside', 'specify', 'address', 'march', 'include', 'water', 'problem', 'service', 'record', 'prior', 'incident']
Original Request: A copy of all memos, reports, or emails produced by the staff of the Mayor, or Mayor Ford himself, listing organizations or individuals that senior City staff are discouraged from meeting with or communicating with. All records from Dec. 1, 2010 to date.
Tokens prepared for LDA: ['report', 'email', 'produce', 'staff', 'mayor', 'mayor', 'organization', 'individual', 'senior', 'staff', 'discourage', 'communicate', 'record', 'december']
Original Request: A list of house fires that occurred within 5km of [a specified address] within the past year (January 2010 - December 2010). The list should include where the house fires took place, what date, and the incident numbers.
Tokens prepared for LDA: ['house', 'occur', 'specify', 'address', 'january', 'december', 'include', 'house', 'place', 'incident', 'number']
Original Request: A copy of the call dispatch report for the fire incidents at [a specified address]. The incident occurred on November 19, 2010.
Tokens prepared for LDA: ['dispatch', 'report', 'incident', 'specify', 'address].', 'incident', 'occur', 'november']
Original Request: A copy of the public records and documentation pertaining to the Don Valley Brick Works. Including the records relating to the acquisition of the site by TRCA and the City. Also the RFP and related proposals.
Tokens prepared for LDA: ['public', 'record', 'documentation', 'pertain', 'valley', 'brick', 'works', 'include', 'record', 'relate', 'acquisition', 'relate', 'proposal']
Original Request: A copy of the dog bite report for the incident that occurred on March 13, 2011. The incident occurred on [a specified address]. Two dogs were involved in an altercation and a female was bit by a dog.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'march', 'incident', 'occur', 'specify', 'address].', 'involve', 'altercation', 'female']
Original Request: A copy of all building permits issued to [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'issue', 'specify', 'address].']
Original Request: A copy of records pertaining to a slip and fall incident at [a specified address] on Dec 4, 2010. The records are to verify the weather conditions, driveway conditions, the location of the ice on the ground, and the type of boots [an individual] was wearing.
Tokens prepared for LDA: ['record', 'pertain', 'incident', 'specify', 'address', 'record', 'verify', 'weather', 'condition', 'driveway', 'condition', 'location', 'grind', 'individual']
Original Request: A copy of the inspection report / response from Homes First Society regarding the complaint made. The reference number is 790462.
Tokens prepared for LDA: ['inspection', 'report', 'response', 'home', 'society', 'regard', 'complaint', 'reference', '790462']
Original Request: A copy of information on the specific nature of the patents mentioned in the staff report by Solid Waste Management Services (Reference No.: P:/2008/swms/June/001PW), including the relevant patent numbers.
Tokens prepared for LDA: ['information', 'specific', 'nature', 'patent', 'mention', 'staff', 'report', 'solid', 'waste', 'management', 'services', 'reference', 'p:/2008', 'june/001pw', 'include', 'relevant', 'patent', 'number']
Original Request: A copy of the building permits and related information for [a specified address]. The permit numbers are 10-110919 RSA and 10-217800 PSA.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'information', 'specify', 'address].', 'permit', 'number', '110919', '217800']
Original Request: A copy of the archival records from Planning. Fonds 45, Series 134, File 22 & 44 and Fonds 7032, Series 723, File 102 & 259.
Tokens prepared for LDA: ['archival', 'record', 'planning', 'fonds', 'series', 'fonds', 'series']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 14, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address], East York. The incident occurred on January 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 7, 2010 (07/05/2010).
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', '07/05/2010']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of violations issued to [a specified address] by Fire Services within the past three weeks (since March 14, 2011).
Tokens prepared for LDA: ['violation', 'issue', 'specify', 'address', 'services', 'march']
Original Request: A copy of violations issued to [a specified address] by Fire Services within the past three weeks (since March 14, 2011).
Tokens prepared for LDA: ['violation', 'issue', 'specify', 'address', 'services', 'march']
Original Request: A copy of violations issued to [a specified address] by Fire Services within the past three weeks (since March 14, 2011).
Tokens prepared for LDA: ['violation', 'issue', 'specify', 'address', 'services', 'march']
Original Request: A copy of violations issued to [a specified address] by Fire Services within the past three weeks (since March 14, 2011).
Tokens prepared for LDA: ['violation', 'issue', 'specify', 'address', 'services', 'march']
Original Request: A copy of all complaint records, reports, investigation records, pictures, videos, visitations pertaining to [a specified address].
Tokens prepared for LDA: ['complaint', 'record', 'report', 'investigation', 'record', 'picture', 'video', 'visitation', 'pertain', 'specify', 'address].']
Original Request: A copy of all building permits and applications for [a specified address] since 1961.
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address']
Original Request: A copy of all correspondence between Councillor Raymond Cho's office and the Mayor's Office, City Clerk's Office, Scarborough Community Council, PFR, Muslim Welfare Centre regarding the naming of McLevin Community Park. Records from June 2009 to present.
Tokens prepared for LDA: ['correspondence', 'councillor', 'raymond', 'office', 'mayor', 'office', 'clerk', 'office', 'scarborough', 'community', 'council', 'muslim', 'welfare', 'centre', 'regard', 'mclevin', 'community', 'record', 'present']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 1, 2011. There was a balcony fire on the third floor at approximately 10:45 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'balcony', 'floor', 'approximately', '10:45']
Original Request: A copy of the past work orders, building permits, violations and zoning information for [a specified address].
Tokens prepared for LDA: ['order', 'build', 'permit', 'violation', 'information', 'specify', 'address].']
Original Request: A copy of the building records for [a specified address], including applications, permits, work orders. Also records for this property with respect to the date the original building was contracted and the purpose for the building.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'application', 'permit', 'order', 'record', 'property', 'respect', 'original', 'build', 'contract', 'purpose', 'build']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on September 3, 3011 (09/03/2010) at approximately 7:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'september', '09/03/2010', 'approximately']
Original Request: A copy of a document showing the date that [a specified address] was ordered to be demolished (about 5 years ago).
Tokens prepared for LDA: ['document', 'specify', 'address', 'order', 'demolish']
Original Request: A copy of the entire file for case #1167075 BR. The file pertains to [a specified address].
Tokens prepared for LDA: ['entire', '1167075', 'pertain', 'specify', 'address].']
Original Request: A copy of the bid results for RFP No.: 3806-10-0020 supply and delivery of fire fighting bunker suites (dated March 18, 2010).
Tokens prepared for LDA: ['result', 'supply', 'delivery', 'fight', 'bunker', 'suite', 'march']
Original Request: A copy of any records of meetings regarding the Dufferin Grove Park Bio- Toilet Feasibility Study, including records between the Bloor Dufferin Residents Committee and City Staff (when, who attended, what was discussed).
Tokens prepared for LDA: ['record', 'meeting', 'regard', 'dufferin', 'grove', 'toilet', 'feasibility', 'study', 'include', 'record', 'bloor', 'dufferin', 'resident', 'committee', 'staff', 'attend', 'discus']
Original Request: A copy of all investigation reports and notes for [a specified address]. Records outlining the mould and marijuana details from the past property owner. Time frame: as far back as possible. Also a copy of the clearance letter.
Tokens prepared for LDA: ['investigation', 'report', 'specify', 'address].', 'record', 'outline', 'mould', 'marijuana', 'property', 'owner', 'frame', 'possible', 'clearance', 'letter']
Original Request: A copy of any ML&S records, reports or investigations for [a specified address], specifically any information about this property being a grow-op.
Tokens prepared for LDA: ['record', 'report', 'investigation', 'specify', 'address', 'specifically', 'information', 'property']
Original Request: A copy of the report for [a specified address] regarding a sewer block. A camera man came to the incident on April 1, 201. Reference file number 935561.
Tokens prepared for LDA: ['report', 'specify', 'address', 'regard', 'sewer', 'block', 'camera', 'incident', 'april', 'reference', '935561']
Original Request: A copy of the drain report for [a specified address] from Toronto Water.
Tokens prepared for LDA: ['drain', 'report', 'specify', 'address', 'toronto', 'water']
Original Request: A copy of the work orders and records pertaining to the work completed at [a specified address]. There was an inspection on Feb. 4, 2011 for low water pressure and an urgent service request #556571 and work order #446973 from Feb. 23, 2011.
Tokens prepared for LDA: ['order', 'record', 'pertain', 'complete', 'specify', 'address].', 'inspection', 'february', 'water', 'pressure', 'urgent', 'service', 'request', '556571', 'order', '446973', 'february']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondences for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of any violations issued from Fire Services to [a specified address] from March 7 to the present date.
Tokens prepared for LDA: ['violation', 'issue', 'services', 'specify', 'address', 'march', 'present']
Original Request: A copy of any violations issued from Fire Services to [a specified address] from March 7 to the present date.
Tokens prepared for LDA: ['violation', 'issue', 'services', 'specify', 'address', 'march', 'present']
Original Request: A copy of any and all mould reports for [a specified address], Scarborough, for the last 5 years.
Tokens prepared for LDA: ['mould', 'report', 'specify', 'address', 'scarborough']
Original Request: A copy of all documents relating to all building permits for [a specified address], North York. Specifically, looking for documentation showing when permit #99 251 884 DRN (drain permit) was issued and documents showing that it passed.
Tokens prepared for LDA: ['document', 'relate', 'build', 'permit', 'specify', 'address', 'north', 'specifically', 'documentation', 'permit', 'drain', 'permit', 'issue', 'document']
Original Request: A copy of detailed information for a former grow op at [a specified address], Scarborough. Specifically trying to find out if the house is safe to occupy and what remediation work is required.
Tokens prepared for LDA: ['information', 'specify', 'address', 'scarborough', 'specifically', 'house', 'occupy', 'remediation', 'require']
Original Request: A copy of the Road Maintenance Inspection Reports for Progress Avenue between Midland and Kennedy Road. The time frame of the requested reports is from February 22 to March 15, 2011.
Tokens prepared for LDA: ['maintenance', 'inspection', 'report', 'progress', 'avenue', 'midland', 'kennedy', 'frame', 'request', 'report', 'february', 'march']
Original Request: A copy of budget information, purchasing decisions, cost estimates, and/or other budgetary or financial matters relating to premises leased by or conveyed to the City of Toronto by Drakestone Investments Ltd. or Medallion Properties Inc.
Tokens prepared for LDA: ['budget', 'information', 'purchase', 'decision', 'estimate', 'and/or', 'budgetary', 'financial', 'matter', 'relate', 'premise', 'lease', 'convey', 'toronto', 'drakestone', 'investment', 'medallion', 'property']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 6, 2011 (03/06/2011).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march', '03/06/2011']
Original Request: A copy of the documents and pictures taken by City staff regarding missing light fixtures, broken windows, cracked floors, etc. for [a specified address], including the letter written from the landlord to the City of Toronto. Also status of issues.
Tokens prepared for LDA: ['document', 'picture', 'staff', 'regard', 'light', 'fixture', 'break', 'window', 'crack', 'floor', 'specify', 'address', 'include', 'letter', 'write', 'landlord', 'toronto', 'status', 'issue']
Original Request: A copy of the demolition permit for [a specified address]. The demolition took place in 1993.
Tokens prepared for LDA: ['demolition', 'permit', 'specify', 'address].', 'demolition', 'place']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 19, 2011 at approximately 10:20 p.m. Fire started at [a specified address].
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march', 'approximately', '10:20', 'start', 'specify', 'address].']
Original Request: A copy of the final job evaluations and job description and final rating sheet for the position number TM1649 Supervisor, Property Taxation and Assessment.
Tokens prepared for LDA: ['final', 'evaluation', 'description', 'final', 'sheet', 'position', 'tm1649', 'supervisor', 'property', 'taxation', 'assessment']
Original Request: A copy of any records relating to work completed on [a specified address], including sewers and pipes. Also a copy of any surveys, reports, photographs and invoices.
Tokens prepared for LDA: ['record', 'relate', 'complete', 'specify', 'address', 'include', 'sewer', 'survey', 'report', 'photograph', 'invoice']
Original Request: A copy of any inspection reports or records pertaining to a grow op at [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'record', 'pertain', 'specify', 'address].']
Original Request: A copy of the fire inspection report for [a specified address]. The inspection occurred in September 2010.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address].', 'inspection', 'occur', 'september']
Original Request: A copy of the ML&S inspection report for [a specified address] pertaining to the folder # 10 256628 PRS 00IV. Also a copy of the appeal of the order (originally issued Sept. 14, 2010) and the crown charge documents issued in March 2011.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'pertain', 'folder', '256628', 'appeal', 'order', 'originally', 'issue', 'september', 'crown', 'charge', 'document', 'issue', 'march']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the street parking permit issued to [an individual] for [a specified address] from January 2008 to December 2008.
Tokens prepared for LDA: ['street', 'permit', 'issue', 'individual', 'specify', 'address', 'january', 'december']
Original Request: A copy of the sign permit for the video billboard sign at [a specified address]. Permit #08 213513.
Tokens prepared for LDA: ['permit', 'video', 'billboard', 'specify', 'address].', 'permit', '213513']
Original Request: A copy of the sign permit for the video billboard sign at [a specified address]. Permit #139903.
Tokens prepared for LDA: ['permit', 'video', 'billboard', 'specify', 'address].', 'permit', '139903']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 16, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 12, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the property violation charges for [a specified address]. Occurrence #10-143158.
Tokens prepared for LDA: ['property', 'violation', 'charge', 'specify', 'address].', 'occurrence', '143158']
Original Request: A copy of all documents in demo file 07-259759 pertaining to [a specified address].
Tokens prepared for LDA: ['document', '259759', 'pertain', 'specify', 'address].']
Original Request: A copy of all records, reports, approvals, and inspection reports relating to [a specified address] construction in 1999, including permit # NY-11-174545.
Tokens prepared for LDA: ['record', 'report', 'approval', 'inspection', 'report', 'relate', 'specify', 'address', 'construction', 'include', 'permit', 'ny-11', '174545']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Scarborough. This incident occurred on April 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on April 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of letters sent to Councillor Giorgio Mammoliti and Councillor Adrian Heaps regarding City Council CC 3.8 - Court of Appeal Decision on Payment of Expenses for Compliance Audits. Also a copy of attachment 2 from recommendation 2.
Tokens prepared for LDA: ['letter', 'councillor', 'giorgio', 'mammoliti', 'councillor', 'adrian', 'heaps', 'regard', 'council', 'court', 'appeal', 'decision', 'payment', 'expense', 'compliance', 'audit', 'attachment', 'recommendation']
Original Request: A copy of any and all inspections notes and records of John Genys. Building Inspector, concerning [a specified address]. These inspections pertain to renovations and installations performed by Vincente Mendanha O/A Westmount Renovations Ltd.
Tokens prepared for LDA: ['inspection', 'record', 'genys', 'building', 'inspector', 'concern', 'specify', 'address].', 'inspection', 'pertain', 'renovation', 'installation', 'perform', 'vincente', 'mendanha', 'westmount', 'renovation']
Original Request: A copy of 2010 statistics for animal to human (and animal to animal) bite investigations. Also internal hearings held regarding requests for having muzzle orders revoked and any public hearings for muzzle orders (including # of orders revoked).
Tokens prepared for LDA: ['statistic', 'animal', 'human', 'animal', 'animal', 'investigation', 'internal', 'hearing', 'regard', 'request', 'muzzle', 'order', 'revoke', 'public', 'hearing', 'muzzle', 'order', 'include', 'order', 'revoke']
Original Request: A copy of the records pertaining to work and/or inspections completed on [a specified address]. The inspections and work completed was regarding tree root damage to the drainage pipe and was initiated in Dec. 2010 on the City side of the property .
Tokens prepared for LDA: ['record', 'pertain', 'and/or', 'inspection', 'complete', 'specify', 'address].', 'inspection', 'complete', 'regard', 'damage', 'drainage', 'initiate', 'december', 'property']
Original Request: A copy of any records pertaining to a dog attack that occurred on March 11, 2011. The incident occurred on [a specified address], Toronto, and [an individual] (Minor) reported the bite to a Toronto Health Inspector.
Tokens prepared for LDA: ['record', 'pertain', 'attack', 'occur', 'march', 'incident', 'occur', 'specify', 'address', 'toronto', 'individual', 'minor', 'report', 'toronto', 'health', 'inspector']
Original Request: A copy of all on site work performed and findings (including video records, if any) regarding sewage blockage clearance at [a specified address]. The work was performed on April 5 to 8, 2011. (311 incident reference #947727).
Tokens prepared for LDA: ['perform', 'finding', 'include', 'video', 'record', 'regard', 'sewage', 'blockage', 'clearance', 'specify', 'address].', 'perform', 'april', 'incident', 'reference', '947727']
Original Request: A copy of all building permit documents/drawings, site plan documents/drawings, and correspondences for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of all building permit documents/drawings, site plan documents/drawings, and correspondences for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of any ML&S or Public Health documents related to [a specified address] that show this property was used for the growth or manufacture of any illegal substances.
Tokens prepared for LDA: ['public', 'health', 'document', 'relate', 'specify', 'address', 'property', 'growth', 'manufacture', 'illegal', 'substance']
Original Request: A copy of the 311 recorded phone calls and transcripts from [an individual] on March 15 or 16, 2011. The calls were because of the temperature in the basement at [a specified address]. Also a copy of the inspection report/notes from March 2011.
Tokens prepared for LDA: ['record', 'phone', 'transcript', 'individual', 'march', 'temperature', 'basement', 'specify', 'address].', 'inspection', 'report', 'march']
Original Request: A copy of the inspection report and records pertaining to sewer back up damage at [a specified address]. The incident occurred on April 16, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'pertain', 'sewer', 'damage', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the invoice from the City of Toronto to an insurance company for $2600. This fee was for the damage to a traffic light pole on August 14, 2006 at Don Mills and York Mills Road (approx. 10 p.m.).
Tokens prepared for LDA: ['invoice', 'toronto', 'insurance', 'company', 'damage', 'traffic', 'light', 'august', 'mills', 'mills', 'approx']
Original Request: A copy of any reports, notices, orders, notes, inspections, and any other documentation arising from the Public Health inspection completed at [a specified address]. The inspection occurred in March or April of 2011.
Tokens prepared for LDA: ['report', 'notice', 'order', 'inspection', 'documentation', 'arise', 'public', 'health', 'inspection', 'complete', 'specify', 'address].', 'inspection', 'occur', 'march', 'april']
Original Request: A copy of any reports generated from the dog bite incident that occurred at [a specified address]. The incident occurred on April 15, 2011 and was involving a dog that attached and killed another dog.
Tokens prepared for LDA: ['report', 'generate', 'incident', 'occur', 'specify', 'address].', 'incident', 'occur', 'april', 'involve', 'attach']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on April 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on February 12, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the building file #313831 for [a specified address].
Tokens prepared for LDA: ['build', '313831', 'specify', 'address].']
Original Request: A copy of the building file #291626 for [a specified address].
Tokens prepared for LDA: ['build', '291626', 'specify', 'address].']
Original Request: A copy of the building file numbers 087706, 111263, 113772, and 106213 pertaining to [a specified address].
Tokens prepared for LDA: ['build', 'number', '087706', '111263', '113772', '106213', 'pertain', 'specify', 'address].']
Original Request: A copy of all occupancy permits issued to [a specified address] from 2007 to 2009.
Tokens prepared for LDA: ['occupancy', 'permit', 'issue', 'specify', 'address']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on September 9, 2009. The incident number is F09101421.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'september', 'incident', 'f09101421']
Original Request: A copy of the Public Health records pertaining [a specified address]. File # 106177.
Tokens prepared for LDA: ['public', 'health', 'record', 'pertain', 'specify', 'address].', '106177']
Original Request: A copy of any records showing [a specified address], as a registered remediated grow-op property.
Tokens prepared for LDA: ['record', 'specify', 'address', 'register', 'remediate', 'property']
Original Request: A copy of the fire inspection report for [a specified address] that was completed on March 11, 2011. Also, a copy of any updates or additions to previous fire inspection files since FOI #11-00082 and FOI #11-00271 were completed.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'complete', 'march', 'update', 'addition', 'previous', 'inspection', '00082', '00271', 'complete']
Original Request: A copy of the red light camera system photographs at Finch and Leslie on March 30, 2011 around 6:15 a.m., specifically any record of a 1999 Honda with the plate number [number removed].
Tokens prepared for LDA: ['light', 'camera', 'photograph', 'finch', 'leslie', 'march', 'specifically', 'record', 'honda', 'plate', 'removed].']
Original Request: A copy of the redirection letter sent regarding the 2011 interim property tax bill for [a specified address].
Tokens prepared for LDA: ['redirection', 'letter', 'regard', 'interim', 'property', 'specify', 'address].']
Original Request: A copy of the archival records for architectural drawings for R.C. Harris Water Filtration Plant from 1932, specifically elevation drawings of the front facade.
Tokens prepared for LDA: ['archival', 'record', 'architectural', 'drawing', 'harris', 'water', 'filtration', 'plant', 'specifically', 'elevation', 'drawing', 'facade']
Original Request: A copy of any information on [an individual] ( [a specified address] ) who was a Fireman, including medals, letters, photos, rank information.
Tokens prepared for LDA: ['information', 'individual', 'specify', 'address', 'fireman', 'include', 'medal', 'letter', 'photo', 'information']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 30, 2003. The incident number is 2003FR032447000.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march', 'incident', '2003fr032447000']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 29, 2011. The incident number is F11035390.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', 'incident', 'f11035390']
Original Request: A copy of the transcripts to 311 regarding any water in the basement of [a specified address] since 2009. Also a copy of the complaint records and any investigation records pertaining to the water in the basement.
Tokens prepared for LDA: ['transcript', 'regard', 'water', 'basement', 'specify', 'address', 'complaint', 'record', 'investigation', 'record', 'pertain', 'water', 'basement']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on April 12, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of any permits, orders, violations, fines issued to [a specified address]. A list of companies or individuals registered to the property and a copy of any requests for zoning clearances (other than 1990). All records from 1990 to 2010.
Tokens prepared for LDA: ['permit', 'order', 'violation', 'issue', 'specify', 'address].', 'company', 'individual', 'register', 'property', 'request', 'clearance', 'record']
Original Request: A copy of the work order pertaining to a pot hole repair made on March 3, 2009 on the Eastbound Kipling/Islington collector lanes (between the North and South Islington exits).
Tokens prepared for LDA: ['order', 'pertain', 'repair', 'march', 'eastbound', 'kipling', 'islington', 'collector', 'north', 'south', 'islington']
Original Request: A copy of all building permits, permit applications, inspection reports, ML&S records and any other information relating to construction activity on [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'inspection', 'report', 'record', 'information', 'relate', 'construction', 'activity', 'specify', 'address].']
Original Request: A copy of the building records for [a specified address], including the following files #06-177413, #07-236879, and #10-229818.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'follow', '177413', '236879', '229818']
Original Request: A copy of the building permit applications for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address].']
Original Request: A copy of the building permit/permit application for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'specify', 'address', 'toronto']
Original Request: A copy of the fire report for the motor vehicle accident at Cranfield Drive and Cunity Avenue. The incident occurred on August 25, 2009 at approximately 9:08.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'cranfield', 'drive', 'cunity', 'avenue', 'incident', 'occur', 'august', 'approximately']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on March 24, 2011 at approximately 2:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'march', 'approximately']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 21, 2011. Please include any other relevant records (i.e. notes and photographs).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february', 'include', 'relevant', 'record', 'photograph']
Original Request: A copy of the inspection reports for [a specified address], including the reports for unit 210. Reference number 949026.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'include', 'report', 'reference', '949026']
Original Request: A copy of the response from [an individual] to the email correspondence regarding 'oppose park renaming' dated March 29, 2010. Also a copy of the contract between PFR and McLevin Park Tennis Club for use of facilities for spring/summer/fall 2010.
Tokens prepared for LDA: ['response', 'individual', 'email', 'correspondence', 'regard', 'oppose', 'rename', 'march', 'contract', 'mclevin', 'tennis', 'facility', 'spring', 'summer']
Original Request: A copy of the building documents for [a specified address] from the following files: 11-180663 ZR, 10-319685 ZR, and 09-199169 BLD.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'follow', '180663', '319685', '199169']
Original Request: A copy of any complaints and work orders from ML&S, Buildings, and Public Health regarding [a specified address]. Must include the new orders that were issued on April 29, 2011 as well.
Tokens prepared for LDA: ['complaint', 'order', 'building', 'public', 'health', 'regard', 'specify', 'address].', 'include', 'order', 'issue', 'april']
Original Request: A copy of the Public Health records regarding a dog bite incident report. The incident occurred on February 17, 2011 at [a specified address].
Tokens prepared for LDA: ['public', 'health', 'record', 'regard', 'incident', 'report', 'incident', 'occur', 'february', 'specify', 'address].']
Original Request: A copy of the fire report number F11041666.
Tokens prepared for LDA: ['report', 'f11041666']
Original Request: A copy of any building documents for [a specified address].
Tokens prepared for LDA: ['build', 'document', 'specify', 'address].']
Original Request: A copy of the records from Toronto Water pertaining to [a specified address], specifically file #962 404 from April 15, 2011.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'pertain', 'specify', 'address', 'specifically', 'april']
Original Request: A copy of the building documents for the building permit #11-139753 for [a specified address].
Tokens prepared for LDA: ['build', 'document', 'build', 'permit', '139753', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on October 10, 2011 (possibly on October 18).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'october', 'possibly', 'october']
Original Request: A copy of annual statistical information from Toronto Buildings for the years 2000 to 2010 relating to building permits, court orders, building charges, orders to comply etc.
Tokens prepared for LDA: ['annual', 'statistical', 'information', 'toronto', 'building', 'relate', 'build', 'permit', 'court', 'order', 'build', 'charge', 'order', 'comply']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondences for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of the cell phone records and bills for Mayor Rob Ford and [an individual] from December 1, 2010 to April 27, 2011.
Tokens prepared for LDA: ['phone', 'record', 'mayor', 'individual', 'december', 'april']
Original Request: A copy of the building records for a condominium complex located at [a specified address] that include the specific window ratings (i.e. All specs and details - 11C, Db, thermal, thickness of glass etc.). This information should have been submitted to the City.
Tokens prepared for LDA: ['build', 'record', 'condominium', 'complex', 'locate', 'specify', 'address', 'include', 'specific', 'window', 'rating', 'thermal', 'thickness', 'glass', 'information', 'submit']
Original Request: A copy of complaints and compliments made against and about Toronto paramedics from 2008 to present.--REVISED- - Only records re 59 substantiated complaints requested
Tokens prepared for LDA: ['complaint', 'compliment', 'toronto', 'paramedic', 'present.--revised-', 'record', 'substantiate', 'complaint', 'request']
Original Request: An electronic document of all Dispatch Records and Ambulance Call Reports generated from January 1, 2009 to present.
Tokens prepared for LDA: ['electronic', 'document', 'dispatch', 'record', 'ambulance', 'report', 'generate', 'january', 'present']
Original Request: A copy of the response to RFP 9148-05-5048 (dated November 2005) relating to red light camera systems prepared by Traffipax, Inc. dated February 1, 2006.
Tokens prepared for LDA: ['response', 'november', 'relate', 'light', 'camera', 'prepare', 'traffipax', 'february']
Original Request: A copy of the total amount of expenditures the City of Toronto had with Heman Mobile Wash in the year 2010.
Tokens prepared for LDA: ['total', 'expenditure', 'toronto', 'heman', 'mobile']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on December 1, 2010. Also any other relevant information.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december', 'relevant', 'information']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 25, 2009. Also any additional related documents and notes.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january', 'additional', 'relate', 'document']
Original Request: A copy of the police report regarding the incident at [a specified address]. The incident occurred on June 16 or 17, 2010. The incident was in relation to [an individual].
Tokens prepared for LDA: ['police', 'report', 'regard', 'incident', 'specify', 'address].', 'incident', 'occur', 'incident', 'relation', 'individual].']
Original Request: A copy of the building permits indicating that [a specified address] is a 2 unit property.
Tokens prepared for LDA: ['build', 'permit', 'indicate', 'specify', 'address', 'property']
Original Request: A copy of the building permit and file #10 134078 pertaining to [a specified address], including a copy of the entire file.
Tokens prepared for LDA: ['build', 'permit', '134078', 'pertain', 'specify', 'address', 'include', 'entire']
Original Request: A copy of all building permit records for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address].']
Original Request: A copy of all records regarding the ML&S inspections completed at [a specified address].
Tokens prepared for LDA: ['record', 'regard', 'inspection', 'complete', 'specify', 'address].']
Original Request: A copy of an electronic document that includes information from all 911 ambulance service calls from Jan. 1, 2006 to Jan. 1, 2011.
Tokens prepared for LDA: ['electronic', 'document', 'include', 'information', 'ambulance', 'service', 'january', 'january']
Original Request: A copy of any information regarding inspections or work completed by the City for the drains at [a specified address] between 1996 and December, 2009.
Tokens prepared for LDA: ['information', 'regard', 'inspection', 'complete', 'drain', 'specify', 'address', 'december']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 16, 2010. Also include any photographs or video recordings and any other investigation reports and notes regarding the incident.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january', 'include', 'photograph', 'video', 'recording', 'investigation', 'report', 'regard', 'incident']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 30, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the 911 call (including transcript, audio recording, record) for the incident that occurred at the intersection of Yonge Street and Belsize Street. The 911 call was made by [an individual] on February 17, 2010 at 2:35 p.m.
Tokens prepared for LDA: ['include', 'transcript', 'audio', 'record', 'record', 'incident', 'occur', 'intersection', 'yonge', 'street', 'belsize', 'street', 'individual', 'february']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on September 22, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'september']
Original Request: A copy of documentation confirming City assumption/ownership of lands on the north side of the western gap westward from the north/south portion of Stadium Road.
Tokens prepared for LDA: ['documentation', 'confirm', 'assumption', 'ownership', 'north', 'western', 'westward', 'north', 'south', 'portion', 'stadium']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondences for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of the documents showing what type of building [a specified address] was built as (i.e. duplex, triplex, etc.).
Tokens prepared for LDA: ['document', 'build', 'specify', 'address', 'build', 'duplex', 'triplex']
Original Request: A copy of the fire reports for [a specified address]. The incidents occurred in April 2011 (at least 2 reports on April 7, 2011 and 1 report on April 15, 2011).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'little', 'report', 'april', 'report', 'april']
Original Request: A copy of any records that identify [a specified address] as ever being used as a growing house.
Tokens prepared for LDA: ['record', 'identify', 'specify', 'address', 'house']
Original Request: A copy of the building file and inspection notes for [a specified address]. (08-187212 BHP).
Tokens prepared for LDA: ['build', 'inspection', 'specify', 'address].', '187212']
Original Request: A copy of the building permit files for [a specified address], permit #'s 034626, 180329, and 184739.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'permit', '034626', '180329', '184739']
Original Request: A copy of the fire report from April 20, 2011. The fire incident number is F11036750.
Tokens prepared for LDA: ['report', 'april', 'incident', 'f11036750']
Original Request: A copy of all notes, records, statements, tests, orders, correspondence, and reports regarding the dog scratch incident at [a specified address]. The incident occurred on July 27, 2010.
Tokens prepared for LDA: ['record', 'statement', 'order', 'correspondence', 'report', 'regard', 'scratch', 'incident', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of all proposal/bid submissions made by all parties making submissions in response to REOI No. 9117-11-7047.
Tokens prepared for LDA: ['proposal', 'submission', 'party', 'submission', 'response']
Original Request: A copy of the building permit documents/drawings, site plan documents/drawings, and correspondences for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'document', 'drawing', 'document', 'drawing', 'correspondence', 'specify', 'address].']
Original Request: A copy of the health inspection mould (compliant/complaint) report for [a specified address].
Tokens prepared for LDA: ['health', 'inspection', 'mould', 'compliant', 'complaint', 'report', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the ML&S and/or Transportation files (file #'s: 920-616 and 940-275) pertaining to a City investigation of a sidewalk located at [a specified address].
Tokens prepared for LDA: ['and/or', 'transportation', 'pertain', 'investigation', 'sidewalk', 'locate', 'specify', 'address].']
Original Request: A copy of any records pertaining to branches that have fallen on [a specified address] on May 1, 2011.
Tokens prepared for LDA: ['record', 'pertain', 'branch', 'specify', 'address']
Original Request: A copy of the 911 audio tape for the motor vehicle accident that occurred at Dundas Street West and Casimir Street, Toronto. The incident occurred on January 26, 2009 at approximately 8:36.
Tokens prepared for LDA: ['audio', 'motor', 'vehicle', 'accident', 'occur', 'dundas', 'street', 'casimir', 'street', 'toronto', 'incident', 'occur', 'january', 'approximately']
Original Request: A copy of the fire report for the motor vehicle on [a specified address]. The incident occurred on January 9, 2001. Fire incident number 2001-NY-000711000.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'specify', 'address].', 'incident', 'occur', 'january', 'incident', '2001-ny-000711000']
Original Request: A copy of the fire report for a flood at [a specified address]. The incident occurred on February 10, 2011.
Tokens prepared for LDA: ['report', 'flood', 'specify', 'address].', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on December 9, 2010 (12/09/2010).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'december', '12/09/2010']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 29, 2011. Also include any additional documents including any notes from the Fire Marshalls regarding suspected arson.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'include', 'additional', 'document', 'include', 'marshall', 'regard', 'suspect', 'arson']
Original Request: A copy of the Public Health documents pertaining to an inspection completed at [a specified address], including all reports, notices, orders, notes, etc. The inspection was completed on March 2, 2011.
Tokens prepared for LDA: ['public', 'health', 'document', 'pertain', 'inspection', 'complete', 'specify', 'address', 'include', 'report', 'notice', 'order', 'inspection', 'complete', 'march']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of all sewer maintenance records from August 2005 to present for [a specified address], including any work authorized to be completed.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'august', 'present', 'specify', 'address', 'include', 'authorize', 'complete']
Original Request: A copy of the fire report for the bicycle accident on [a specified address]. The incident occurred on May 16, 2010. Fire Incident number F10053377.
Tokens prepared for LDA: ['report', 'bicycle', 'accident', 'specify', 'address].', 'incident', 'occur', 'incident', 'f10053377']
Original Request: A copy of the building permit for [a specified address] relating to the addition at the back of the property (second floor deck).
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'relate', 'addition', 'property', 'floor']
Original Request: A copy of the building permit file number 118225 for [a specified address].
Tokens prepared for LDA: ['build', 'permit', '118225', 'specify', 'address].']
Original Request: A copy of the building permit including application, examiner notes, etc. of permit number 0212347 HVA 00 MS for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'include', 'application', 'examiner', 'permit', '0212347', 'specify', 'address].']
Original Request: A copy of the document that states the date building services were provided to [a specified address]. Also a copy of all billing information and the officer's notes for each billing charge.
Tokens prepared for LDA: ['document', 'state', 'build', 'service', 'provide', 'specify', 'address].', 'information', 'officer', 'charge']
Original Request: A copy of the red light camera footage/photos from the intersection of Martin Grove Road & Dixon Road from April 8, 2011, including all footage between 1:30p.m and 3:00p.m. The incident involves a motor vehicle accident.
Tokens prepared for LDA: ['light', 'camera', 'footage', 'photo', 'intersection', 'martin', 'grove', 'dixon', 'april', 'include', 'footage', '1:30p.m', '3:00p.m', 'incident', 'involve', 'motor', 'vehicle', 'accident']
Original Request: A copy of all records pertaining to the sidewalk in front of [a specified address] from 1985 to date.
Tokens prepared for LDA: ['record', 'pertain', 'sidewalk', 'specify', 'address']
Original Request: A copy of all statistical information and digital records that detail the incident report, location, date and any related fines/charges for all accidents and other reported incidents involving cyclists in Toronto between Jan. 1, 2006 and Dec. 31, 2010
Tokens prepared for LDA: ['statistical', 'information', 'digital', 'record', 'incident', 'report', 'location', 'relate', 'charge', 'accident', 'report', 'incident', 'involve', 'cyclist', 'toronto', 'january', 'december']
Original Request: A copy of any agreements or contracts between the City of Toronto and Ministerial Associates and any correspondence relating to a contract or agreement with Ministerial Associates.
Tokens prepared for LDA: ['agreement', 'contract', 'toronto', 'ministerial', 'associate', 'correspondence', 'relate', 'contract', 'agreement', 'ministerial', 'associate']
Original Request: A copy of any records and correspondence from the City Clerk's Office or Facilities regarding the cancellation of the provision of the registered clergy list.
Tokens prepared for LDA: ['record', 'correspondence', 'clerk', 'office', 'facility', 'regard', 'cancellation', 'provision', 'register', 'clergy']
Original Request: A copy of all building documents (permits, work orders, notices, investigations, etc.) and ML&S documents (work orders, notices, investigations, records, etc.) for [a specified address], including outstanding and settled issues for as far back as possible.
Tokens prepared for LDA: ['build', 'document', 'permit', 'order', 'notice', 'investigation', 'document', 'order', 'notice', 'investigation', 'record', 'specify', 'address', 'include', 'outstanding', 'settle', 'issue', 'possible']
Original Request: A copy of previous permits that were issued to [a specified address]. Permit #'s 16116 and 87439.
Tokens prepared for LDA: ['previous', 'permit', 'issue', 'specify', 'address].', 'permit', '16116', '87439']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 15, 2011. Fire Incident Number F11018517.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february', 'incident', 'number', 'f11018517']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on April 12, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on September 16, 2010. Fire Incident number F10105536 pertaining to a gas leak.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september', 'incident', 'f10105536', 'pertain']
Original Request: A copy of the business case/briefing note relating to CELOS cash handling in ward 18.
Tokens prepared for LDA: ['business', 'brief', 'relate', 'celos', 'handle']
Original Request: A copy of all records relating to the building permit and rezoning application (including inspections, notes, reports, status letters and inspection investigation cards) for [a specified address] Permit/Property reference number 09-192003 STE 32 OZ.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'rezoning', 'application', 'include', 'inspection', 'report', 'status', 'letter', 'inspection', 'investigation', 'specify', 'address', 'permit', 'property', 'reference', '192003']
Original Request: A copy of a record indicating if a dog named Marty was adopted. Marty is a male dobie, brown colour, with previous injury to his nose. He was at the pound early December until about January 29, 2011.
Tokens prepared for LDA: ['record', 'indicate', 'marty', 'adopt', 'marty', 'dobie', 'brown', 'colour', 'previous', 'injury', 'pound', 'early', 'december', 'january']
Original Request: A copy of a record indicating if a dog named Judy was adopted. Judy was a female, great dane, and cream coloured. She was at the pound until early March 2011.
Tokens prepared for LDA: ['record', 'indicate', 'adopt', 'female', 'great', 'cream', 'colour', 'pound', 'early', 'march']
Original Request: A copy of a record indicating if a dog named Chase was adopted. Chase was a male, possibly a cattle dog, black, grey and while coloured. He was at the pound March or April to early May 2011.
Tokens prepared for LDA: ['record', 'indicate', 'chase', 'adopt', 'chase', 'possibly', 'cattle', 'black', 'colour', 'pound', 'march', 'april', 'early']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for a motor vehicle accident on Dufferin Street at or near Preston Road, Toronto. The incident occurred on January 4, 2011.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'dufferin', 'street', 'preston', 'toronto', 'incident', 'occur', 'january']
Original Request: A copy of all active and/or closed building files for [a specified address], Toronto.
Tokens prepared for LDA: ['active', 'and/or', 'close', 'build', 'specify', 'address', 'toronto']
Original Request: A copy of all orders to comply and all stop work orders made against the following builders in the last six years: Dan-Con Developments Inc., Cal-Ward Developments Inc., and Caliber Homes Inc.
Tokens prepared for LDA: ['order', 'comply', 'order', 'follow', 'builder', 'development', 'development', 'caliber', 'home']
Original Request: A copy of any inspection logs or maintenance records with respect to the northeast corner of Ellesmere and Markham Road, Scarborough, from February 16 to 21, 2011.
Tokens prepared for LDA: ['inspection', 'maintenance', 'record', 'respect', 'northeast', 'corner', 'ellesmere', 'markham', 'scarborough', 'february']
Original Request: A copy of the Starfield Lion Total Care Company (0105-10-0163) bunker suit and maintenance, site inspection report. The inspection occurred on January 18, 2011.
Tokens prepared for LDA: ['starfield', 'total', 'company', 'bunker', 'maintenance', 'inspection', 'report', 'inspection', 'occur', 'january']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Kipling and Tyre Avenue. The incident occurred on February 17, 2007 at approx. 7:00 a.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'kipling', 'avenue', 'incident', 'occur', 'february', 'approx']
Original Request: A copy of the summary of all construction firm bids for the awarded City of Toronto Civil and ICI construction and maintenance contracts, along with bid prices at bid opening, for the year 2010.
Tokens prepared for LDA: ['summary', 'construction', 'award', 'toronto', 'civil', 'construction', 'maintenance', 'contract', 'price']
Original Request: A copy of all reports from Public Health and Building regarding the air conditioner at [a specified address].
Tokens prepared for LDA: ['report', 'public', 'health', 'building', 'regard', 'conditioner', 'specify', 'address].']
Original Request: A copy of all Mayor Ford's daily itineraries from Feb. 15, 2011 to present, including all printed documents and computer calendars.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'february', 'present', 'include', 'print', 'document', 'computer', 'calendar']
Original Request: A copy of the fire inspection reports for the apartments at [a specified address]. The inspection occurred on April 11 and May 9.
Tokens prepared for LDA: ['inspection', 'report', 'apartment', 'specify', 'address].', 'inspection', 'occur', 'april']
Original Request: A copy of records collected by the City pursuant to section 771-10 of City of Toronto By-law No. 197-2010. The information relates to the use and display of banners, canopies and signs.
Tokens prepared for LDA: ['record', 'collect', 'pursuant', 'section', 'toronto', 'information', 'relate', 'display', 'banner', 'canopy']
Original Request: A copy of all permits and permit applications, specifically a record showing the current zoning (i.e. duplex or triplex) for [a specified address], Etobicoke.
Tokens prepared for LDA: ['permit', 'permit', 'application', 'specifically', 'record', 'current', 'duplex', 'triplex', 'specify', 'address', 'etobicoke']
Original Request: A copy of all building inspection notes and records on file for [a specified address], Etobicoke.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'specify', 'address', 'etobicoke']
Original Request: A copy of the records from Animal Services relating to the investigations and findings for the dogs at [a specified address], Scarborough.
Tokens prepared for LDA: ['record', 'animal', 'services', 'relate', 'investigation', 'finding', 'specify', 'address', 'scarborough']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on April 5, 2011 (2011/04/05). Fire Incident No.: F11038491.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'april', '2011/04/05', 'incident', 'f11038491']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 21, 2011. Fire Incident No.: F11056475. Fire Report #413-7187.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'f11056475', 'report']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on 05/04/2011 (April 5, 2011).
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', '05/04/2011', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on February 14, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on April 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address] Toronto. The incident occurred on December 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of all work related records for [a specified address], including any work performed by Vipe Construction and all other contractors for the City. Also any records pertaining to pipe repair work completed on Queen Street close to this property.
Tokens prepared for LDA: ['relate', 'record', 'specify', 'address', 'include', 'perform', 'construction', 'contractor', 'record', 'pertain', 'repair', 'complete', 'queen', 'street', 'close', 'property']
Original Request: A copy of all health records for the 3 elephants at the Toronto Zoo (Iringa, Toka, and Thika) from February 2, 2010 to present.
Tokens prepared for LDA: ['health', 'record', 'elephant', 'toronto', 'iringa', 'thika', 'february', 'present']
Original Request: A copy of all building documents relating to [a specified address], specifically in reference to permit #10-143643 SGN 00SP.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'specifically', 'reference', 'permit', '143643']
Original Request: A copy of all building documents relating to [a specified address], specifically in reference to permit #10-182350 SGN 00SP.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'specifically', 'reference', 'permit', '182350']
Original Request: A copy of all records pertaining to [an individual] dogs named Lou and Lou 2 (12 and 8 years old), including all information regarding activity number 8402.
Tokens prepared for LDA: ['record', 'pertain', 'individual', 'include', 'information', 'regard', 'activity']
Original Request: A copy of all orders issued to [a specified address] (past and present).
Tokens prepared for LDA: ['order', 'issue', 'specify', 'address', 'present']
Original Request: A copy of all orders issued to [a specified address] (past and present).
Tokens prepared for LDA: ['order', 'issue', 'specify', 'address', 'present']
Original Request: An electronic document showing the response times for all emergency ambulance calls for the most recent calendar year available, along with the first three characters of the postal code of the address they were sent to.
Tokens prepared for LDA: ['electronic', 'document', 'response', 'emergency', 'ambulance', 'recent', 'calendar', 'available', 'character', 'postal', 'address']
Original Request: A copy of all documents related to the bed bug inspection report completed on [a specified address] in April, 2011.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'report', 'complete', 'specify', 'address', 'april']
Original Request: A copy of the ML&S order regarding [a specified address]. The Case #979146 & ML&S file #11184455.
Tokens prepared for LDA: ['order', 'regard', 'specify', 'address].', '979146', '11184455']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 7, 2011. There should be 2 reports for the month of April.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'report', 'month', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 17, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on March 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on April 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of records relating to the drafting and development of the rating system for the Bird-Friendly Development Guidelines from January 2007 to December 2010.
Tokens prepared for LDA: ['record', 'relate', 'draft', 'development', 'friendly', 'development', 'guideline', 'january', 'december']
Original Request: A copy of any documentation pertaining to the information about all lighting sources including high mast light standards, 150 meters east and west of the Renforth Dr. overpass Hwy 401 as of February 28, 2007, 6:00 to 7:00 p.m.
Tokens prepared for LDA: ['documentation', 'pertain', 'information', 'light', 'source', 'include', 'light', 'standard', 'meter', 'renforth', 'overpass', 'february']
Original Request: A copy of all documentation regarding the maintenance and inspections of the tree located on [a specified address], Toronto.
Tokens prepared for LDA: ['documentation', 'regard', 'maintenance', 'inspection', 'locate', 'specify', 'address', 'toronto']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 16, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 11, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of building files for [a specified address] (file #s 08-183171) and [a specified address] (#08-183191).
Tokens prepared for LDA: ['build', 'specify', 'address', '183171', 'specify', 'address', '183191']
Original Request: A copy of health inspection reports for [a specified address] relating to bed bug inspection conducted on April 5 or April 6, 2010.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'relate', 'inspection', 'conduct', 'april', 'april']
Original Request: A copy of original building permit and noise report (April 2010) with respect to [a specified address].
Tokens prepared for LDA: ['original', 'build', 'permit', 'noise', 'report', 'april', 'respect', 'specify', 'address].']
Original Request: A copy of building and MLS work orders and notices for [a specified address].
Tokens prepared for LDA: ['build', 'order', 'notice', 'specify', 'address].']
Original Request: A copy of inspection report from Toronto Water for [a specified address]. The inspection was done on May 25, 2011 and it related to a sewer blockage that took place in 2009.
Tokens prepared for LDA: ['inspection', 'report', 'toronto', 'water', 'specify', 'address].', 'inspection', 'relate', 'sewer', 'blockage', 'place']
Original Request: Copies of any documents or correspondence related to the sewer/drain connections for [a specified address], York, including any description of work done and any direction provided to the previous owners in the last 5 years.
Tokens prepared for LDA: ['copy', 'document', 'correspondence', 'relate', 'sewer', 'drain', 'connection', 'specify', 'address', 'include', 'description', 'direction', 'provide', 'previous', 'owner']
Original Request: A copy of permit or license to show that property located at [a specified address] is a legal four-plex.
Tokens prepared for LDA: ['permit', 'license', 'property', 'locate', 'specify', 'address', 'legal']
Original Request: A copy of all records from Building, ML&S and Fire Services for [a specified address].
Tokens prepared for LDA: ['record', 'building', 'services', 'specify', 'address].']
Original Request: A copy of all records, notes and inspection orders by ML&S and Public Health inspectors relating to [a specified address] Toronto, from 2009 to 2011.
Tokens prepared for LDA: ['record', 'inspection', 'order', 'public', 'health', 'inspector', 'relate', 'specify', 'address', 'toronto']
Original Request: A detailed list of expenditures to Goodbye Graffiti from the City of Toronto between 2005 and present, as well as a copy of any previous or existing contracts the City has with or had had with them.
Tokens prepared for LDA: ['expenditure', 'goodbye', 'graffiti', 'toronto', 'present', 'previous', 'exist', 'contract']
Original Request: An electronic list of all the properties owned or leased by the City of Toronto in the GTA. For each property indicate whether cleaning/janitorial services have been contracted out, including name of company, contract number, amount and expiry date.
Tokens prepared for LDA: ['electronic', 'property', 'lease', 'toronto', 'property', 'indicate', 'clean', 'janitorial', 'service', 'contract', 'include', 'company', 'contract', 'expiry']
Original Request: A copy of site plan agreement, development agreement and condominium agreement with respect to [a specified address], Scarborough (Splendid China Project).
Tokens prepared for LDA: ['agreement', 'development', 'agreement', 'condominium', 'agreement', 'respect', 'specify', 'address', 'scarborough', 'splendid', 'china', 'project']
Original Request: A copy of arborists' report and the City's final statement on closing file # 949 838 with respect to [a specified address].
Tokens prepared for LDA: ['arborist', 'report', 'final', 'statement', 'close', 'respect', 'specify', 'address].']
Original Request: A copy of animal services complaint showing name, address of complainant and the type of dog with respect to complaint # 11-012723.
Tokens prepared for LDA: ['animal', 'service', 'complaint', 'address', 'complainant', 'respect', 'complaint', '012723']
Original Request: A copy of the name, telephone number and address of the taxi cab driver who was operating cab # [number removed] of Beck Taxi Ltd. at 4:00 a.m. or the morning of May 7, 2011.
Tokens prepared for LDA: ['telephone', 'address', 'driver', 'operate', 'remove', 'morning']
Original Request: A copy of records pertaining to the notice of violation for [a specified address], including any records that clarify what has been violated.
Tokens prepared for LDA: ['record', 'pertain', 'notice', 'violation', 'specify', 'address', 'include', 'record', 'clarify', 'violate']
Original Request: An electronic copy of all dispatch records generated in March 2011 for records documenting all 911 calls made from residential homes in Etobicoke, including the time the 911 call was received and EMS classification of the call (i.e. delta, echo, etc).
Tokens prepared for LDA: ['electronic', 'dispatch', 'record', 'generate', 'march', 'record', 'document', 'residential', 'etobicoke', 'include', 'receive', 'classification', 'delta']
Original Request: A copy of the fire report for an incident that occurred at [a specified address]. The incident occurred on June 5, 2007 at approx. 7:56 p.m. and an individual alleged to have fallen off a bus.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'specify', 'address].', 'incident', 'occur', 'approx', 'individual', 'allege']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 16, 2011. Fire Incident No.: F11042856.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'incident', 'f11042856']
Original Request: A copy of any grow-op records pertaining to [a specified address].
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address].']
Original Request: A copy of the Police report and notes for the incident at [a specified address]. The incident occurred on May 27, 2011. Reference No.: E176500.
Tokens prepared for LDA: ['police', 'report', 'incident', 'specify', 'address].', 'incident', 'occur', 'reference', 'e176500']
Original Request: A copy of the fire report for the motor vehicle accident on highway 401 near the intersection with highway 404. The incident occurred on June 19, 2007.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'highway', 'intersection', 'highway', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on February 9, 2009. Fire Incident No.: F09015657.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'february', 'incident', 'f09015657']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on March 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address] . The incident occurred on April 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'april']
Original Request: A copy of any minutes/decisions of Yasmin Carter (PFR), Councillor Cho, or Parks, including the rationale for decisions, follow up emails sent to citizens, and notices given to the public and SCC regarding the re-naming of McLevin Park. Also signage info.
Tokens prepared for LDA: ['minute', 'decision', 'yasmin', 'carter', 'councillor', 'parks', 'include', 'rationale', 'decision', 'follow', 'email', 'citizen', 'notice', 'public', 'regard', 'mclevin', 'signage']
Original Request: A copy of the property site service history from Toronto Water for [a specified address]. Also a copy of the inspection report (including CCTV video), and the claim procedure for private property damage.
Tokens prepared for LDA: ['property', 'service', 'history', 'toronto', 'water', 'specify', 'address].', 'inspection', 'report', 'include', 'video', 'claim', 'procedure', 'private', 'property', 'damage']
Original Request: A copy of sign permit (active or inactive) for [a specified address], including all reports and associated information.
Tokens prepared for LDA: ['permit', 'active', 'inactive', 'specify', 'address', 'include', 'report', 'associate', 'information']
Original Request: A copy of ML&S inspection report for [a specified address]. The inspection was done on May 26, 2011 by Martin Rygill, ML&S Inspector.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address].', 'inspection', 'martin', 'rygill', 'inspector']
Original Request: A copy of the building documents that show a second story addition was built at [a specified address]. Also a document showing when the addition was built.
Tokens prepared for LDA: ['build', 'document', 'story', 'addition', 'build', 'specify', 'address].', 'document', 'addition', 'build']
Original Request: A copy of a court letter document stating that Highlight Auto Collision at [a specified address] does not have a storage endorsement and therefore they do not have a license/are not permitted to charge for storage.
Tokens prepared for LDA: ['court', 'letter', 'document', 'state', 'highlight', 'collision', 'specify', 'address', 'storage', 'endorsement', 'license', 'permit', 'charge', 'storage']
Original Request: A copy of the reports from Toronto Employment and Social Services for the past 3 years on addresses that City employees are cautioned against and/or forbidden from attending because they are deemed unsafe.
Tokens prepared for LDA: ['report', 'toronto', 'employment', 'social', 'services', 'address', 'employee', 'caution', 'and/or', 'forbid', 'attend', 'unsafe']
Original Request: A copy of the inspection report and all associated documents (including inspection notes, notices, violations, orders, etc.) for the Sweet Depot Bakery at [a specified address], since May 2010. Also any changes the Bakery has made to comply.
Tokens prepared for LDA: ['inspection', 'report', 'associate', 'document', 'include', 'inspection', 'notice', 'violation', 'order', 'sweet', 'depot', 'bakery', 'specify', 'address', 'change', 'bakery', 'comply']
Original Request: A copy of all building documents for [a specified address], including all emails, notes, and correspondences. Also all original building inspections, clearance certificates and inspections pertaining to the retaining wall and parking lot area.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'email', 'correspondence', 'original', 'build', 'inspection', 'clearance', 'certificate', 'inspection', 'pertain', 'retain']
Original Request: A copy of the written agreement between PFR and the Kew Gardens Tennis Club, including documents relating to fees paid to the City for club exclusive use of city lands.
Tokens prepared for LDA: ['write', 'agreement', 'garden', 'tennis', 'include', 'document', 'relate', 'exclusive']
Original Request: A copy of building permit # 97-B20825 for [a specified address] showing information that the property had been zoned from commercial to residential (RZA) since 1999.
Tokens prepared for LDA: ['build', 'permit', '97-b20825', 'specify', 'address', 'information', 'property', 'commercial', 'residential']
Original Request: A copy of all records from ML&S and Health for [a specified address]. The property formally had grow op activities.
Tokens prepared for LDA: ['record', 'health', 'specify', 'address].', 'property', 'formally', 'activity']
Original Request: A copy of health inspection report for [a specified address]. relating to mould issues in a cold room in the basement.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address].', 'relate', 'mould', 'issue', 'basement']
Original Request: A copy of inspection reports from Building, Health, Municipal Licensing & Standards and Fire Services relating to [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'building', 'health', 'municipal', 'license', 'standard', 'services', 'relate', 'specify', 'address].']
Original Request: A copy of reports and photos from Public Health and ML&S for [a specified address] from May 2009 to June 2009. Also any copies of scoping by City Sewer workers from March 2009 to July 2009.
Tokens prepared for LDA: ['report', 'photo', 'public', 'health', 'specify', 'address', 'scope', 'sewer', 'worker', 'march']
Original Request: A copy of the logs used by Purchasing to track inappropriate sole source activity and requests made by City staff from 2005 to present.
Tokens prepared for LDA: ['purchasing', 'track', 'inappropriate', 'source', 'activity', 'request', 'staff', 'present']
Original Request: Copies of any documents that relate to the inspection and/or repair of a water pressure issue at [a specified address], including the names of City employees who attended the repairs. The water pressure issue was from Feb. 2010 to July 2010.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'inspection', 'and/or', 'repair', 'water', 'pressure', 'issue', 'specify', 'address', 'include', 'employee', 'attend', 'repair', 'water', 'pressure', 'issue', 'february']
Original Request: All records, e:mails relating to election sign violations by Rob Ford's campaign, including affidavit sworn by Mr. Ford, violation notices, correspondence between ML&S, Elections Toronto, Rob Ford campaign and Mayor's Office.
Tokens prepared for LDA: ['record', 'relate', 'election', 'violation', 'campaign', 'include', 'affidavit', 'swear', 'violation', 'notice', 'correspondence', 'election', 'toronto', 'campaign', 'mayor', 'office']
Original Request: Archival records on Glen Cedar Bridge
Tokens prepared for LDA: ['archival', 'record', 'cedar', 'bridge']
Original Request: A copy of ML&S folder # 10170472 PRS 00 IV relating to [a specified address].
Tokens prepared for LDA: ['folder', '10170472', 'relate', 'specify', 'address].']
Original Request: A copy of contract between City of Toronto and Neptune Tech. Group for water meter program to replace all its water meters city-wide with an automated meter reading (AMR) system.
Tokens prepared for LDA: ['contract', 'toronto', 'neptune', 'group', 'water', 'meter', 'program', 'replace', 'water', 'meter', 'automate', 'meter']
Original Request: A copy of reports from Building, Health and Fire Services relating to [a specified address].
Tokens prepared for LDA: ['report', 'building', 'health', 'services', 'relate', 'specify', 'address].']
Original Request: A copy of all records relating to the applications for building permits and minor variances for [a specified address] since 1997, including all correspondence, memoranda, notes, emails, reports, etc.
Tokens prepared for LDA: ['record', 'relate', 'application', 'build', 'permit', 'minor', 'variance', 'specify', 'address', 'include', 'correspondence', 'memorandum', 'email', 'report']
Original Request: A copy of the maintenance records of the water main and distribution system and sewage system and any road surface repairs for (or around) [a specified address]. Specifically records pertaining to the sewer back up incident on Aug. 4, 2009.
Tokens prepared for LDA: ['maintenance', 'record', 'water', 'distribution', 'sewage', 'surface', 'repair', 'specify', 'address].', 'specifically', 'record', 'pertain', 'sewer', 'incident', 'august']
Original Request: A copy of all ML&S, Public Health and Building records relating to issues at [a specified address] (owner [an individual] ) from January 2000 to present.
Tokens prepared for LDA: ['public', 'health', 'building', 'record', 'relate', 'issue', 'specify', 'address', 'owner', 'individual', 'january', 'present']
Original Request: A copy of any records indicating [a specified address] to have issues such as bed bugs, mould, orders, notices, or inspections from the City. Any records from ML&S, Public Health, and/or Toronto Buildings for the past 5 years.
Tokens prepared for LDA: ['record', 'indicate', 'specify', 'address', 'issue', 'mould', 'order', 'notice', 'inspection', 'record', 'public', 'health', 'and/or', 'toronto', 'building']
Original Request: A copy of records relating to the notice of lien issued to [a specified address], Toronto, on November 17, 1978. Including what is required to discharge the Lien.
Tokens prepared for LDA: ['record', 'relate', 'notice', 'issue', 'specify', 'address', 'toronto', 'november', 'include', 'require', 'discharge']
Original Request: A copy of records from Fire Services regarding [a specified address].
Tokens prepared for LDA: ['record', 'services', 'regard', 'specify', 'address].']
Original Request: A copy of any building permits or inspections and ML&S inspections or reports for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'inspection', 'report', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on May 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 12, 2011. There was a gas odour and the fire department was called.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'odour', 'department']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of any records from Fire Services pertaining to [a specified address] relating to complaints, fire inspections notes, notices of violations, certificates of compliance, occupancy load notes, and all correspondence on file prior to November, 2010.
Tokens prepared for LDA: ['record', 'services', 'pertain', 'specify', 'address', 'relate', 'complaint', 'inspection', 'notice', 'violation', 'certificate', 'compliance', 'occupancy', 'correspondence', 'prior', 'november']
Original Request: A copy of any inspection notes regarding [a specified address], including building permit no.: 10-172810 - Bldg.Htg.Plbg
Tokens prepared for LDA: ['inspection', 'regard', 'specify', 'address', 'include', 'build', 'permit', '172810']
Original Request: A copy of all inspection records, maintenance or repair documents for the piping system at [a specified address] for the past 5 years. Also any work orders and invoices pertaining to the repair to the system since April 21, 2011.
Tokens prepared for LDA: ['inspection', 'record', 'maintenance', 'repair', 'document', 'specify', 'address', 'order', 'invoice', 'pertain', 'repair', 'april']
Original Request: A copy of the building permit number 118767, including the permit application and examiner notes.
Tokens prepared for LDA: ['build', 'permit', '118767', 'include', 'permit', 'application', 'examiner']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on February 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for the incident at Queensway and Windemere. The incident occurred on March 7, 2010. Also a copy of any associated documents, such as the fire marshall's file and notes.
Tokens prepared for LDA: ['report', 'incident', 'queensway', 'windemere', 'incident', 'occur', 'march', 'associate', 'document', 'marshall']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the two fire report for [a specified address], Toronto. The incident occurred on May 10, 2009 and involved a gasoline spill.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'involve', 'gasoline', 'spill']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 7, 2011. Fire Incident Number F11051075.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'number', 'f11051075']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on March 22, 2011 at approximately 7:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', 'approximately']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on April 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'april']
Original Request: A copy of records pertaining to the process of renaming McLevin Park.
Tokens prepared for LDA: ['record', 'pertain', 'process', 'rename', 'mclevin']
Original Request: A copy of the lease between the City of Toronto and Beasley Amusements Inc. (Centreville Amusement Park) on Toronto island.
Tokens prepared for LDA: ['lease', 'toronto', 'beasley', 'amusement', 'centreville', 'amusement', 'toronto', 'island']
Original Request: A copy of the fire report number F11058826 for [a specified address].
Tokens prepared for LDA: ['report', 'f11058826', 'specify', 'address].']
Original Request: A copy of all emails and letter correspondence between the City Solicitor's Office and Corporate Information Management Services regarding request #2011-00738 (excluding letters sent to Councillor Heaps and Mammoliti).
Tokens prepared for LDA: ['email', 'letter', 'correspondence', 'solicitor', 'office', 'corporate', 'information', 'management', 'services', 'regard', 'request', '00738', 'exclude', 'letter', 'councillor', 'heaps', 'mammoliti']
Original Request: A copy of records relating to the termination of the personal vehicle registration tax, including how many people (between Dec. 16, 2010 and Jan. 1, 2011) were forced to buy the PVT at the end of the year and how much revenue was collected. Also records relating to those who purchased a two-year renewal in 2010 and received a refund by April 2011, including reports, documents, presentations, or communications (relating to i.e. how much money was reimbursed and to how many people? were there any complaints from Toronto residents about the process or reimbursement? Were there any concerns/issues identified by the department about the process? Was the April deadline met?)
Tokens prepared for LDA: ['record', 'relate', 'termination', 'personal', 'vehicle', 'registration', 'include', 'people', 'december', 'january', 'force', 'revenue', 'collect', 'record', 'relate', 'purchase', 'renewal', 'receive', 'refund', 'april', 'include', 'report', 'document', 'presentation', 'communication', 'relate', 'money', 'reimburse', 'people', 'complaint', 'toronto', 'resident', 'process', 'reimbursement', 'concern', 'issue', 'identify', 'department', 'process', 'april', 'deadline']
Original Request: A copy of any communications documented by Revenue Services relating to parking ticket disputes from Jan. 1 to June 1, 2011. Also records indicating how many tickets are cancelled and the financial impact of these refunds. Communications including emails, transcription or notes of phone messages, hard copy or electronic letter or any other type of communications.
Tokens prepared for LDA: ['communication', 'document', 'revenue', 'services', 'relate', 'ticket', 'dispute', 'january', 'record', 'indicate', 'ticket', 'cancel', 'financial', 'impact', 'refund', 'communications', 'include', 'email', 'transcription', 'phone', 'message', 'electronic', 'letter', 'communication']
Original Request: A copy of all records relating to expenditures by the City with Heman Mobile Wash between 2007 and 2011, including all tenders and contracts with Heman Mobile Wash.
Tokens prepared for LDA: ['record', 'relate', 'expenditure', 'heman', 'mobile', 'include', 'tender', 'contract', 'heman', 'mobile', 'washington']
Original Request: A copy of any videos showing footage of the motor vehicle accident on the Gardiner Expressway Eastbound by the Parkside Drive overpass. The incident occurred on March 24, 2011 between 10:45 to 11:00 a.m. Camera #26 (FGG/Sunnyside) captured a photograph.
Tokens prepared for LDA: ['video', 'footage', 'motor', 'vehicle', 'accident', 'gardiner', 'expressway', 'eastbound', 'parkside', 'drive', 'overpass', 'incident', 'occur', 'march', '10:45', '11:00', 'camera', 'sunnyside', 'capture', 'photograph']
Original Request: A copy of the documents issued to [a specified address] from ML&S, Scarborough Division, in 2011.
Tokens prepared for LDA: ['document', 'issue', 'specify', 'address', 'scarborough', 'division']
Original Request: A copy of the building permits for [a specified address]. Building Permit No.: 334234 and 344232.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address].', 'building', 'permit', '334234', '344232']
Original Request: A copy of all related and updated documents related [a specified address] from public health. The documents should be an updated search from FOI #2011-00340.
Tokens prepared for LDA: ['relate', 'update', 'document', 'relate', 'specify', 'address', 'public', 'health', 'document', 'update', 'search', '00340']
Original Request: A copy of the cover letter attached to the application for a land entry permit (P76-4179765) to enter [a specified address]. The cover letter is filed with the entry application form.
Tokens prepared for LDA: ['cover', 'letter', 'attach', 'application', 'entry', 'permit', '4179765', 'enter', 'specify', 'address].', 'cover', 'letter', 'entry', 'application']
Original Request: A copy of the report written by Mario de Francesco, inspector of Municipal Construction, concerning the excavation and repair of a sewer pipe under the City lane adjacent to [a specified address] The repair occurred on or about May 20, 2011.
Tokens prepared for LDA: ['report', 'write', 'mario', 'francesco', 'inspector', 'municipal', 'construction', 'concern', 'excavation', 'repair', 'sewer', 'adjacent', 'specify', 'address', 'repair', 'occur']
Original Request: A copy of the tree report (Arborists Report) conducted on the City tree at [a specified address] during the week of May 23, 2011. Also all tree reports after 2007.
Tokens prepared for LDA: ['report', 'arborist', 'report', 'conduct', 'specify', 'address', 'report']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 11, 2011 (Solar Panel fire). The fire incident number is F11052516.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'solar', 'panel', 'incident', 'f11052516']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 23, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for F11041078. The incident occurred on April 12, 2011.
Tokens prepared for LDA: ['report', 'f11041078', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 14, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for Woodbine Avenue and Queen Street South. The motor vehicle accident occurred on July 15, 2008.
Tokens prepared for LDA: ['report', 'woodbine', 'avenue', 'queen', 'street', 'south', 'motor', 'vehicle', 'accident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of all ML&S records pertaining to [a specified address], from 2010 and 2011. Specifically any records relating to noise complaints and investigations. (File Number 752261).
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'specifically', 'record', 'relate', 'noise', 'complaint', 'investigation', 'number', '752261']
Original Request: A copy of the Public Health violation records from 2011 with respect to [an individual] at [a specified address].
Tokens prepared for LDA: ['public', 'health', 'violation', 'record', 'respect', 'individual', 'specify', 'address].']
Original Request: A copy of the archival records pertaining to the unionization of municipal workers between 1917 and 1922
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'unionization', 'municipal', 'worker']
Original Request: All communications (including via email, letter, fax, documents, etc.) relating to phone call to Councillor Doug Ford between May 1 and June 5, 2011 regarding Toronto and a potential NFL team. Including any documents related to Councillor Ford's interview with TheScore.com, his comments at the Grey Cup event or they could also just be generally related to Toronto and a professional football team, such as words of encouragement from sports industry professionals.
Tokens prepared for LDA: ['communication', 'include', 'email', 'letter', 'document', 'relate', 'phone', 'councillor', 'regard', 'toronto', 'potential', 'include', 'document', 'relate', 'councillor', 'interview', 'thescore.com', 'comment', 'event', 'generally', 'relate', 'toronto', 'professional', 'football', 'encouragement', 'sport', 'industry', 'professional']
Original Request: A copy of the three permits for [a specified address], including the building permit #06114468 Bld, the revision to building permit #0611468 Bld 01 and the plumbing permit #0611468 PLB.
Tokens prepared for LDA: ['permit', 'specify', 'address', 'include', 'build', 'permit', '06114468', 'revision', 'build', 'permit', '0611468', 'plumb', 'permit', '0611468']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Willowdale. The incident occurred on May 16, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'willowdale', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address] . The incident occurred on February 15, 2006.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'february']
Original Request: Records and reports on the water main located along the west side sidewalk of Roncesvalles Ave. from the summer of 2009. The water main was laid by Comer Co.
Tokens prepared for LDA: ['record', 'report', 'water', 'locate', 'sidewalk', 'roncesvalles', 'summer', 'water', 'comer']
Original Request: A copy of the ML&S records pertaining to the air conditioning system in the rental unit of 1807 at [a specified address]. The records should include the complaint (#10216698) and how the problem was resolved.
Tokens prepared for LDA: ['record', 'pertain', 'condition', 'rental', 'specify', 'address].', 'record', 'include', 'complaint', '10216698', 'problem', 'resolve']
Original Request: A copy of the road work permits for Victoria Park Road in between Sheppard Avenue East and Huntingwood Avenue from January 2010.
Tokens prepared for LDA: ['permit', 'victoria', 'sheppard', 'avenue', 'huntingwood', 'avenue', 'january']
Original Request: A copy of all information regarding a flooded basement and City pipes entering [a specified address], including who made the request and the results of the work completed (and names of workers). Also a copy of all building inspection reports (since 2008).
Tokens prepared for LDA: ['information', 'regard', 'flood', 'basement', 'enter', 'specify', 'address', 'include', 'request', 'result', 'complete', 'worker', 'build', 'inspection', 'report']
Original Request: A copy of the road allowance encroachment agreement for [a specified address], Etobicoke. The agreement relates to the encroachment on to the Fourth Street Road allowance.
Tokens prepared for LDA: ['allowance', 'encroachment', 'agreement', 'specify', 'address', 'etobicoke', 'agreement', 'relate', 'encroachment', 'fourth', 'street', 'allowance']
Original Request: A copy of the ML&S report #B10520 regarding [a specified address], Scarborough. The report was written by [an individual] for [an individual].
Tokens prepared for LDA: ['report', 'b10520', 'regard', 'specify', 'address', 'scarborough', 'report', 'write', 'individual', 'individual].']
Original Request: A copy of the building inspection notes, including all dates and times of building inspections, for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'inspection', 'include', 'build', 'inspection', 'specify', 'address', 'toronto']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on January 2, 2002. The fire report number is FR000653000.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'january', 'report', 'fr000653000']
Original Request: A copy of the fire report for [a specified address]. The incident occurred between January 16 and February 28, 2011. Please include any notes and reports from the fire marshal.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january', 'february', 'include', 'report', 'marshal']
Original Request: A copy of any records pertaining to the installation/operation of an anaerobic biodigestor where it is used as the sewage system. Also, any records pertaining to the denial of an anaerobic biodigestor as a sewage system under Building Code sec. 10-1.
Tokens prepared for LDA: ['record', 'pertain', 'installation', 'operation', 'anaerobic', 'biodigestor', 'sewage', 'record', 'pertain', 'denial', 'anaerobic', 'biodigestor', 'sewage', 'building']
Original Request: A copy of the fire inspection reports, orders, notes and all associated fines for [a specified address], since June 10, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'associate', 'specify', 'address']
Original Request: A copy of records pertaining to a complaint made to 311 on May 14, 2011 (complaint reference #999317) about [a specified address] Including all call records from 311 and all ML&S reports, including from the inspection on May 24, 2011.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'complaint', 'reference', '999317', 'specify', 'address', 'include', 'record', 'report', 'include', 'inspection']
Original Request: A copy of the archival records pertaining to the Mayor's Office correspondence to the civil and national defence organization.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'mayor', 'office', 'correspondence', 'civil', 'national', 'defence', 'organization']
Original Request: A copy of all historical building permits and planning approvals regarding [a specified address].
Tokens prepared for LDA: ['historical', 'build', 'permit', 'approval', 'regard', 'specify', 'address].']
Original Request: A copy of the records pertaining to following three building files for [a specified address] 03 175836 WNP 00 VI, 04 102401 UNS 00 VI, and 98 045654 000 00 BR.
Tokens prepared for LDA: ['record', 'pertain', 'follow', 'build', 'specify', 'address', '175836', '102401', '045654']
Original Request: A copy of the submission documents from Sporometrics Inc. for RFQ 7002-11-7067, particularly regarding their qualifications in PCR and mosquito identification (including the three years of past experience).
Tokens prepared for LDA: ['submission', 'document', 'sporometrics', 'particularly', 'regard', 'qualification', 'mosquito', 'identification', 'include', 'experience']
Original Request: A copy of any complaints made against [a specified address], Toronto, since 2001. (i.e. noise or by-law).
Tokens prepared for LDA: ['complaint', 'specify', 'address', 'toronto', 'noise']
Original Request: A copy of the building permit #18832 from September 17, 1952, including copies of the building permit application (which include drawings and written documents).
Tokens prepared for LDA: ['build', 'permit', '18832', 'september', 'include', 'build', 'permit', 'application', 'include', 'drawing', 'write', 'document']
Original Request: A copy of all records relating to [a specified address] prior to 2000, including records related to the roads (Woodlee Road) and building approval records from the City.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'prior', 'include', 'record', 'relate', 'woodlee', 'build', 'approval', 'record']
Original Request: A copy of any documents for [a specified address] that suggest work or any alterations to the building are in the planning or expected. Specifically if any building permit applications have been submitted or any documents relating to the roof.
Tokens prepared for LDA: ['document', 'specify', 'address', 'suggest', 'alteration', 'build', 'expect', 'specifically', 'build', 'permit', 'application', 'submit', 'document', 'relate']
Original Request: A copy of all inspections and issues for [a specified address], including fire violation issues, ML&S issues, Public Health and Building.
Tokens prepared for LDA: ['inspection', 'issue', 'specify', 'address', 'include', 'violation', 'issue', 'issue', 'public', 'health', 'building']
Original Request: A copy of all correspondence related to fire violations at [a specified address], Toronto, including reports and notices.
Tokens prepared for LDA: ['correspondence', 'relate', 'violation', 'specify', 'address', 'toronto', 'include', 'report', 'notice']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 14, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the building permit files (and associated drawings) for [a specified address], including permit files 404044, 99-10050, 99-10054, 00-340480, and 01-130413.
Tokens prepared for LDA: ['build', 'permit', 'associate', 'drawing', 'specify', 'address', 'include', 'permit', '404044', '10050', '10054', '340480', '130413']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 4, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the ML&S file pertaining to a grow op at [a specified address], Scarborough. Folder #06 118 261 PRS 00 IV. The file should include documents showing that the order was complied with and the file is now closed.
Tokens prepared for LDA: ['pertain', 'specify', 'address', 'scarborough', 'folder', 'include', 'document', 'order', 'comply', 'close']
Original Request: A copy of the detailed EMS reports (including all attachments and addendums) for the incident that occurred at [a specified address]. The incident occurred on Feb. 20, 2011. An individual was taken to St. Joseph's Hospital. Also all additional related documents.
Tokens prepared for LDA: ['report', 'include', 'attachment', 'addendum', 'incident', 'occur', 'specify', 'address].', 'incident', 'occur', 'february', 'individual', 'joseph', 'hospital', 'additional', 'relate', 'document']
Original Request: A copy of the documents from folder no. 08 115962PRS00IV regarding [a specified address]. The investigation was requested on Feb. 16, 2008 and a notice of violation was issued on March 5, 2008. All documents from this investigation are requested.
Tokens prepared for LDA: ['document', 'folder', '115962prs00iv', 'regard', 'specify', 'address].', 'investigation', 'request', 'february', 'notice', 'violation', 'issue', 'march', 'document', 'investigation', 'request']
Original Request: A copy of all City contracts and tenders for V.M. Brothers Construction (renamed Marvi Contracting between 1995 and 2000). This company was responsible for cubs and sidewalks in North York and Scarborough. All records from 1975 to 2000.
Tokens prepared for LDA: ['contract', 'tender', 'brother', 'construction', 'rename', 'marvi', 'contracting', 'company', 'responsible', 'sidewalk', 'north', 'scarborough', 'record']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on November 20, 2010 between 8 and 9 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of the schedule or other documentation describing the operating hours and/or level of service which the City is required to deliver in relation to Ferry service to the Toronto Islands.
Tokens prepared for LDA: ['schedule', 'documentation', 'operate', 'and/or', 'level', 'service', 'require', 'deliver', 'relation', 'ferry', 'service', 'toronto', 'island']
Original Request: A copy of the Public Health documents pertaining to the mould inspections completed at [a specified address], including the mould testing results. The case started after April 12, 2011 and was closed by the inspector before June 17, 2011.
Tokens prepared for LDA: ['public', 'health', 'document', 'pertain', 'mould', 'inspection', 'complete', 'specify', 'address', 'include', 'mould', 'result', 'start', 'april', 'close', 'inspector']
Original Request: A copy of all documents (incl. electronic and audio) with respect to breaks/ruptures of water mains underneath Shuter Street between Jan. and Aug. 2010, inclu. all reports, photos, etc. Also all maintenance/inspection records from Jan. 2007 to Aug. 2011.
Tokens prepared for LDA: ['document', 'electronic', 'audio', 'respect', 'break', 'rupture', 'water', 'underneath', 'shut', 'street', 'january', 'august', 'inclu', 'report', 'photo', 'maintenance', 'inspection', 'record', 'january', 'august']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for the motor vehicle accident at the intersection of Thorncliffe Park Drive and Milepost Place. Toronto Fire pumpers 322, 321, and 313 attended the scene. The incident occurred on July 23, 2004 at approx. 10:20 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'intersection', 'thorncliffe', 'drive', 'milepost', 'place', 'toronto', 'pumpers', 'attend', 'scene', 'incident', 'occur', 'approx', '10:20']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on April 16, 2009. The fire incident number is F09041155.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'april', 'incident', 'f09041155']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of all building documents for [a specified address], Toronto, since 1970 (including all applications, rezoning documents, and building permits).
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'toronto', 'include', 'application', 'rezoning', 'document', 'build', 'permit']
Original Request: A list from ML&S containing all residential properties that have received orders/directives to 'fix' (1) their grading and/or swales on their properties and (2) their properties due to water damage where water was flowing on a neighbouring property.
Tokens prepared for LDA: ['contain', 'residential', 'property', 'receive', 'order', 'directive', 'grade', 'and/or', 'swale', 'property', 'property', 'water', 'damage', 'water', 'neighbour', 'property']
Original Request: A copy or list of all building permits that have been issued for [a specified address] as far back as possible. If no building permits have been issued then a letter stating that no records exist.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'specify', 'address', 'possible', 'build', 'permit', 'issue', 'letter', 'state', 'record', 'exist']
Original Request: A copy of any building working orders for [a specified address].
Tokens prepared for LDA: ['build', 'order', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy all related documents and notes with respect to the notice from ML&S no. 4886870A. The notice was issued by B.Hendry with respect to the City of Toronto Municipal Code Chapter 844.
Tokens prepared for LDA: ['relate', 'document', 'respect', 'notice', '4886870a.', 'notice', 'issue', 'b.hendry', 'respect', 'toronto', 'municipal', 'chapter']
Original Request: A copy of the report prepared by Daphne Wee with respect to the Roncesvalles Avenue reconstruction. Also information regarding the trench that Cormer company dug across Roncesvalles Avenue on February 1, 2010.
Tokens prepared for LDA: ['report', 'prepare', 'daphne', 'respect', 'roncesvalles', 'avenue', 'reconstruction', 'information', 'regard', 'trench', 'cormer', 'company', 'roncesvalles', 'avenue', 'february']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of any information from January 2004 to December 2010 pertaining to payments made to or on behalf of Public Interest Strategy and Communications under the recommendation of, by, or under the supervision of SSHA.
Tokens prepared for LDA: ['information', 'january', 'december', 'pertain', 'payment', 'behalf', 'public', 'strategy', 'communications', 'recommendation', 'supervision']
Original Request: A copy of all by law complaints and incidents against Augusta House Restaurant Bar (), including file #11182151.
Tokens prepared for LDA: ['complaint', 'incident', 'augusta', 'house', 'restaurant', 'include', '11182151']
Original Request: A copy of all emails and SMS (text) messages to/from Mayor Rob Ford or his staff and certain Councillors and their staff that include the terms [removed]," "[removed]," "[removed]" or any other similar terms.
Tokens prepared for LDA: ['email', 'message', 'mayor', 'staff', 'certain', 'councillor', 'staff', 'include', 'remove', 'remove', 'remove', 'similar']
Original Request: A copy of all complaint records and associated records with respect to [a specified address] North York, including complaints from ML&S, Building, and Transportation.
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'record', 'respect', 'specify', 'address', 'north', 'include', 'complaint', 'building', 'transportation']
Original Request: A copy of all complaint records and associated records with respect to [a specified address], North York, including complaints from ML&S, Building, and Transportation.
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'record', 'respect', 'specify', 'address', 'north', 'include', 'complaint', 'building', 'transportation']
Original Request: A copy of all sewer and water main maintenance and/or repair records pertaining to [a specified address]. Also any associated records that would effect [a specified address]. (i.e across or down the street). All records from October 23, 2005 to October 23, 2010.
Tokens prepared for LDA: ['sewer', 'water', 'maintenance', 'and/or', 'repair', 'record', 'pertain', 'specify', 'address].', 'associate', 'record', 'effect', 'specify', 'address].', 'street', 'record', 'october', 'october']
Original Request: A copy of the follow up email from [an individual] referencing "Oppose Park Renaming" informing citizens of outcome of meeting with Councillor Cho and General Manager of PFR (reference to citizen request for public meeting on renaming McLevin Park 3/30/11).
Tokens prepared for LDA: ['follow', 'email', 'individual', 'reference', 'oppose', 'rename', 'inform', 'citizen', 'outcome', 'councillor', 'general', 'manager', 'reference', 'citizen', 'request', 'public', 'rename', 'mclevin', '3/30/11']
Original Request: A copy of the engineer's report for shoring with respect to [a specified address]. This report was filed against Building Permit #11-135419 BLD.
Tokens prepared for LDA: ['engineer', 'report', 'shore', 'respect', 'specify', 'address].', 'report', 'building', 'permit', '135419']
Original Request: A copy of the order to comply that was issued to the landlord at [a specified address] ([an individual]. The landlord must comply by July 4, 2011.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'landlord', 'specify', 'address', 'individual].', 'landlord', 'comply']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on June 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the transcript of the dog attack between [an individual] and [an individual] This transcript was heard at the North York Civic Centre in June 2010. Also a copy of the muzzle order on Jack (attacking dog) and information for Jack's owner.
Tokens prepared for LDA: ['transcript', 'attack', 'individual', 'individual', 'transcript', 'north', 'civic', 'centre', 'muzzle', 'order', 'attack', 'information', 'owner']
Original Request: A copy of report from Public Health relating to the alleged case of salmonella poisoning at Loblaws located at [a specified address]. The incident occurred in May 2011 and the complainant was [an individual].
Tokens prepared for LDA: ['report', 'public', 'health', 'relate', 'allege', 'salmonella', 'poison', 'loblaws', 'locate', 'specify', 'address].', 'incident', 'occur', 'complainant', 'individual].']
Original Request: All documents relating to [a specified address] including all building permits, notes of City inspectors Steve Zawierzeniec and Hanr Singh, copies of any orders of compliance.
Tokens prepared for LDA: ['document', 'relate', 'specify', 'address', 'include', 'build', 'permit', 'inspector', 'steve', 'zawierzeniec', 'singh', 'order', 'compliance']
Original Request: A copy of the ML&S inspection reports that were completed at [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'complete', 'specify', 'address].']
Original Request: A copy of the Public Health report that was completed at [a specified address] on June 24, 2011. The inspection was with respect to mould and air quality issues and tests.
Tokens prepared for LDA: ['public', 'health', 'report', 'complete', 'specify', 'address', 'inspection', 'respect', 'mould', 'quality', 'issue']
Original Request: A copy of any written communications between officials of Menkes and City ofToronto planning staff from February 26, 2008 and December 31, 2009.
Tokens prepared for LDA: ['write', 'communication', 'official', 'menkes', 'oftoronto', 'staff', 'february', 'december']
Original Request: A copy of the fire inspection records from Damien [badge no. 3536] for [a specified address], including any notices or reports.
Tokens prepared for LDA: ['inspection', 'record', 'damien', 'badge', 'specify', 'address', 'include', 'notice', 'report']
Original Request: A copy of the permit documents for the garage to be constructed at [a specified address], Scarborough. Including any drawings on file with respect to the garage.
Tokens prepared for LDA: ['permit', 'document', 'garage', 'construct', 'specify', 'address', 'scarborough', 'include', 'drawing', 'respect', 'garage']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on Bloor Street West at the intersection with Kipling Avenue. The incident occurred on March 1, 2008. Also include a copy of any dispatch records relating to the emergency call.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'bloor', 'street', 'intersection', 'kipling', 'avenue', 'incident', 'occur', 'march', 'include', 'dispatch', 'record', 'relate', 'emergency']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on May 5, 2011. Fire Incident Number F11 049964.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'number', '049964']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on October 30, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of a record containing the square footage for [a specified address].
Tokens prepared for LDA: ['record', 'contain', 'square', 'footage', 'specify', 'address].']
Original Request: A copy of the annual report (anything from 2007 to present) with respect to the Jarvis George Housing Cooperative, including any financial board and spending information. Also any correspondence between the Jarvis George Housing Cooperative and the City.
Tokens prepared for LDA: ['annual', 'report', 'present', 'respect', 'jarvis', 'george', 'housing', 'cooperative', 'include', 'financial', 'board', 'spend', 'information', 'correspondence', 'jarvis', 'george', 'housing', 'cooperative']
Original Request: A copy of the executive summary report or fire incident report for the 2-alarm fire at [a specified address]. The incident occurred on June 10, 2011 at approx. 10:00 a.m.
Tokens prepared for LDA: ['executive', 'summary', 'report', 'incident', 'report', '2-alarm', 'specify', 'address].', 'incident', 'occur', 'approx', '10:00']
Original Request: A copy of all building inspection reports from 2008 and 2009 with respect to [a specified address] (building inspector Bob Barbousis).
Tokens prepared for LDA: ['build', 'inspection', 'report', 'respect', 'specify', 'address', 'build', 'inspector', 'barbousis']
Original Request: A copy of the building file number 1985 09-1162 BLD-00-HH. Also related paper files and screen prints from the IBMS system. All information is with respect to [a specified address].
Tokens prepared for LDA: ['build', 'bld-00-hh', 'relate', 'paper', 'screen', 'print', 'information', 'respect', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on December 20, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'december']
Original Request: A copy of the application documents for the following building permits #10 199497 BLD 00 SR and #07 278363 BLD 00 SR.
Tokens prepared for LDA: ['application', 'document', 'follow', 'build', 'permit', '199497', '278363']
Original Request: A copy of the Public Health documents relating to the dog bite incident that occurred at [a specified address]. The incident occurred on January 19, 2011.
Tokens prepared for LDA: ['public', 'health', 'document', 'relate', 'incident', 'occur', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of the archival files pertaining to [a specified address].
Tokens prepared for LDA: ['archival', 'pertain', 'specify', 'address].']
Original Request: An electronic copy of the third-party sign inventory, broken down by ward for the entire city.
Tokens prepared for LDA: ['electronic', 'party', 'inventory', 'break', 'entire']
Original Request: A copy of statistics relating to the frequency of sewage backups occurring from Jan. 1, 2000 to present for the following area: Steeles Avenue East (North boundary), Don Valley Parkway/HWY 404 (to the West); Lake Ontario (South and East Boundary).
Tokens prepared for LDA: ['statistic', 'relate', 'frequency', 'sewage', 'backup', 'occur', 'january', 'present', 'follow', 'steele', 'avenue', 'north', 'boundary', 'valley', 'parkway', 'ontario', 'south', 'boundary']
Original Request: A copy of the Public Health records with respect to [a specified address], including information on all units that have been sprayed for bed bugs.
Tokens prepared for LDA: ['public', 'health', 'record', 'respect', 'specify', 'address', 'include', 'information', 'spray']
Original Request: A copy of archival records including reports, studies, contracts, or specifications and newspaper clippings from before 1946. Fonds 200 Series 361, 555, 368, 471, 1234 and 368.
Tokens prepared for LDA: ['archival', 'record', 'include', 'report', 'study', 'contract', 'specification', 'newspaper', 'clipping', 'fonds', 'series']
Original Request: A copy of the EMS documents pertaining to the motor vehicle accident at St. Clair Avenue East and Selwyn Avenue. The incident occurred on September 10, 2009. Also a copy of any witness statements or reports.
Tokens prepared for LDA: ['document', 'pertain', 'motor', 'vehicle', 'accident', 'clair', 'avenue', 'selwyn', 'avenue', 'incident', 'occur', 'september', 'witness', 'statement', 'report']
Original Request: A copy of the Public Health file number 111362. The file pertains to a call made by [an individual] in June 2011 asking if permission was given to his landlord to enter [a specified address].
Tokens prepared for LDA: ['public', 'health', '111362', 'pertain', 'individual', 'permission', 'landlord', 'enter', 'specify', 'address].']
Original Request: A copy of the building file for [a specified address]. File No. 72000 (1962).
Tokens prepared for LDA: ['build', 'specify', 'address].', '72000']
Original Request: A copy of the work order issued by Fire Services to [a specified address]. The inspector issued the order on June 7, 2011.
Tokens prepared for LDA: ['order', 'issue', 'services', 'specify', 'address].', 'inspector', 'issue', 'order']
Original Request: A copy of all related information pertaining to an offence #TB070511 by a taxicab owner. This offence was from April 23, 2011 at 11:15 a.m. with respect to MLS municipal code 545 Section 545-148H issued by officer 352.
Tokens prepared for LDA: ['relate', 'information', 'pertain', 'offence', 'tb070511', 'taxicab', 'owner', 'offence', 'april', '11:15', 'respect', 'municipal', 'section', 'issue', 'officer']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address] Toronto. The incident occurred on June 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of records with respect to the meetings Rob Ford had between February 11 and July 8, 2011. Specifically the dates of the meetings and the names of the meeting partners.
Tokens prepared for LDA: ['record', 'respect', 'meeting', 'february', 'specifically', 'meeting', 'partner']
Original Request: All correspondence sent/received by email by the following staff: Peter Langdon, Kerri Voumvakis, and Noreen Dunphy that include keywords "Minnan-Wong" and/or "rental replacement" in the subject heading or text of email. Timeframe: June 14 - July 8, 2011.
Tokens prepared for LDA: ['correspondence', 'receive', 'email', 'follow', 'staff', 'peter', 'langdon', 'kerri', 'voumvakis', 'noreen', 'dunphy', 'include', 'keyword', 'minnan', 'and/or', 'rental', 'replacement', 'subject', 'email', 'timeframe']
Original Request: A copy of the ML&S inspections and orders concerning [a specified address]. The documents relate to maintenance complaints to the landlord (carpets, faucets, walls, common areas, doors, ect.). Complaints were made between 2000 and 2001.
Tokens prepared for LDA: ['inspection', 'order', 'concern', 'specify', 'address].', 'document', 'relate', 'maintenance', 'complaint', 'landlord', 'carpet', 'faucet', 'common', 'complaint']
Original Request: A copy of the report from the fire inspection that occurred at [a specified address]. The inspection occurred on June 27, 2011.
Tokens prepared for LDA: ['report', 'inspection', 'occur', 'specify', 'address].', 'inspection', 'occur']
Original Request: A copy of the building application file for [a specified address]. The file number 257775.
Tokens prepared for LDA: ['build', 'application', 'specify', 'address].', '257775']
Original Request: A copy of the Toronto Water report number T-4036119. The report was regarding [a specified address]. The report was created on November 2, 2010 and pertaining to the work order no. 773212.
Tokens prepared for LDA: ['toronto', 'water', 'report', 't-4036119', 'report', 'regard', 'specify', 'address].', 'report', 'create', 'november', 'pertain', 'order', '773212']
Original Request: A copy of all building permits for [a specified address] since 1980.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address']
Original Request: A copy of all Public Health reports related to [a specified address] from the time period of April 1, 2011 to July 6, 2011.
Tokens prepared for LDA: ['public', 'health', 'report', 'relate', 'specify', 'address', 'period', 'april']
Original Request: A copy of all Public Health reports for [a specified address], from the time period of April 1, 2011 to July 6, 2011.
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address', 'period', 'april']
Original Request: A copy of the Public Health inspection reports and records for [a specified address], on or around June 6, 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'record', 'specify', 'address']
Original Request: A copy of any building permits issued for [a specified address] (former City of York), in particular, a building permit for a garage built in 1964.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'specify', 'address', 'particular', 'build', 'permit', 'garage', 'build']
Original Request: A copy of the inspection reports and records (work orders, court orders, test results, fines, field notes, and/or verbal warnings to landlord - ( [an individual] ) from Toronto Fire, Public Health, and ML&S regarding [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'record', 'order', 'court', 'order', 'result', 'field', 'and/or', 'verbal', 'warning', 'landlord', 'individual', 'toronto', 'public', 'health', 'regard', 'specify', 'address].']
Original Request: A copy of all records relating to the water leak investigation at [a specified address]. Reference no. 1067914 & 1071163. Including the reports and details/conclusions for this water service line leak investigation (June 28, 2011 to July 1, 2011).
Tokens prepared for LDA: ['record', 'relate', 'water', 'investigation', 'specify', 'address].', 'reference', '1067914', '1071163', 'include', 'report', 'conclusion', 'water', 'service', 'investigation']
Original Request: A copy of the building and fire records for [a specified address] (building file #81346).
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'build', '81346']
Original Request: A copy of the building permits for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 19, 2011 at approx. 7:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'approx']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on June 12, 2011 at approx. 11:30 p.m. The fire incident number is F11066646.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'approx', '11:30', 'incident', 'f11066646']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 3, 2011. The fire report number is F11002145.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'report', 'f11002145']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 18, 2011. The fire incident number is F11068531.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'incident', 'f11068531']
Original Request: A copy of the snap shot photos from the camera at the Don Valley Parkway and Lakeshore facing Eastbound between 4:00 p.m. and 4:30 p.m. on May 23, 2011.
Tokens prepared for LDA: ['shoot', 'photo', 'camera', 'valley', 'parkway', 'lakeshore', 'eastbound']
Original Request: A copy of all records pertaining to the maintenance and flushing of the sewer system servicing [a specified address] between July 24, 2004 and July 24, 2009.
Tokens prepared for LDA: ['record', 'pertain', 'maintenance', 'flush', 'sewer', 'service', 'specify', 'address']
Original Request: A copy of any records created or modified in 2011 by the Mayor or his staff regarding phone calls to the Mayor or his office on the topic of the Jarvis bike lanes.
Tokens prepared for LDA: ['record', 'create', 'modify', 'mayor', 'staff', 'regard', 'phone', 'mayor', 'office', 'topic', 'jarvis']
Original Request: A copy of any records of incoming calls to the Mayor's office at 416-397-FORD for May and June of 2011.
Tokens prepared for LDA: ['record', 'incoming', 'mayor', 'office', '397-ford']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of all records and correspondence related to the metal object sticking out of the ground on the path in the Nordheimer Ravine (just outside the emergency TTC exit at St. Clair West Station) from April 2010 to November 2010.
Tokens prepared for LDA: ['record', 'correspondence', 'relate', 'metal', 'object', 'stick', 'grind', 'nordheimer', 'ravine', 'outside', 'emergency', 'clair', 'station', 'april', 'november']
Original Request: A copy of any work orders, infractions, or investigations regarding [a specified address], or to the common areas of the building. Infractions may include mould, water damage, broken windows, bed bugs, damage to the building structure, etc.
Tokens prepared for LDA: ['order', 'infraction', 'investigation', 'regard', 'specify', 'address', 'common', 'build', 'infraction', 'include', 'mould', 'water', 'damage', 'break', 'window', 'damage', 'build', 'structure']
Original Request: A copy of the complaint record (reference # A11-015367) regarding a noisy animal at [a specified address] from 2011.
Tokens prepared for LDA: ['complaint', 'record', 'reference', '015367', 'regard', 'noisy', 'animal', 'specify', 'address']
Original Request: A copy of the demolition and building permits for [a specified address].
Tokens prepared for LDA: ['demolition', 'build', 'permit', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred in 2007.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on August 7, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on June 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of any complaints made against [a specified address] in the past year and any associated files or notes (i.e. inspection reports/notes).
Tokens prepared for LDA: ['complaint', 'specify', 'address', 'associate', 'inspection', 'report']
Original Request: A copy of all records, minutes and videos with respect to the illegal removal of trees by Menkes and.or 1314193 Ontario Ltd. at [a specified address]. Search Period: 2002 to 2003.
Tokens prepared for LDA: ['record', 'minute', 'video', 'respect', 'illegal', 'removal', 'menkes', 'and.or', '1314193', 'ontario', 'specify', 'address].', 'search', 'period']
Original Request: A copy of the lease agreement between the City of Toronto and Donalda Golf & Country Club.
Tokens prepared for LDA: ['lease', 'agreement', 'toronto', 'donalda', 'country']
Original Request: A copy of the ML&S inspection report and notes for [a specified address], Toronto. The report reference number is 972897.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'toronto', 'report', 'reference', '972897']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on June 11, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of all correspondence relating to the City of Toronto acquiring the block of land including the following properties: [a specified address] and [a specified address]. Records from April 2010 to present.
Tokens prepared for LDA: ['correspondence', 'relate', 'toronto', 'acquire', 'block', 'include', 'follow', 'property', 'specify', 'address', 'specify', 'address].', 'record', 'april', 'present']
Original Request: A copy of all correspondence relating to the City of Toronto acquiring the block of land including the following properties: [a specified address] and [a specified address]. Records from April 2010 to present.
Tokens prepared for LDA: ['correspondence', 'relate', 'toronto', 'acquire', 'block', 'include', 'follow', 'property', 'specify', 'address', 'specify', 'address].', 'record', 'april', 'present']
Original Request: A copy of an application submitted to Urban Forestry requiring a permit to injure or destroy a tree on private property in June 2010. The tree was located on [a specified address]. Records should include all documents from the file.
Tokens prepared for LDA: ['application', 'submit', 'urban', 'forestry', 'require', 'permit', 'injure', 'destroy', 'private', 'property', 'locate', 'specify', 'address].', 'record', 'include', 'document']
Original Request: A complete copy of building history for [a specified address].
Tokens prepared for LDA: ['complete', 'build', 'history', 'specify', 'address].']
Original Request: A copy of building permit records for [a specified address] before July 1993.
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address']
Original Request: Archival records relating to Fonds 220, Series II, File 912, Box: 47864, Folio 7 and Fonds 2028, Series 1311, File 384, Box: 144329, Folio 17.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'fonds', 'series', '47864', 'folio', 'fonds', 'series', '144329', 'folio']
Original Request: Records from Toronto EMS relating to the incident that occurred on December 22, 2007 at [a specified address].
Tokens prepared for LDA: ['record', 'toronto', 'relate', 'incident', 'occur', 'december', 'specify', 'address].']
Original Request: Records from EMS relating to the investigation of the death of [an individual].
Tokens prepared for LDA: ['record', 'relate', 'investigation', 'death', 'individual].']
Original Request: A copy of all investigation reports relating to [a specified address] from Karla Zambrano, Curtis Sealock, Jim Hart, Steve Shumelda and Joe Luzi from 2008 to current.
Tokens prepared for LDA: ['investigation', 'report', 'relate', 'specify', 'address', 'karla', 'zambrano', 'curtis', 'sealock', 'steve', 'shumelda', 'current']
Original Request: Any documents, including but not limited to e:mails, text messages, other electronic records, internal memoranda, handwritten notes relating to the Pride events.
Tokens prepared for LDA: ['document', 'include', 'limit', 'message', 'electronic', 'record', 'internal', 'memorandum', 'handwritten', 'relate', 'pride', 'event']
Original Request: Any documents, including but not limited to e:mails, text messages, other electronic records, internal memoranda, handwritten notes which discuss, formally or informally, cycling issues and the Jarvis Street bike lanes.
Tokens prepared for LDA: ['document', 'include', 'limit', 'message', 'electronic', 'record', 'internal', 'memorandum', 'handwritten', 'discus', 'formally', 'informally', 'cycle', 'issue', 'jarvis', 'street']
Original Request: Any documents, including but not limited to e:mails, text messages, other electronic records, internal memoranda, handwritten notes which discuss, or track public opinion, formally or informally, on cycling issues, Pride, Jarvis bike lanes.
Tokens prepared for LDA: ['document', 'include', 'limit', 'message', 'electronic', 'record', 'internal', 'memorandum', 'handwritten', 'discus', 'track', 'public', 'opinion', 'formally', 'informally', 'cycle', 'issue', 'pride', 'jarvis']
Original Request: A copy of the talking points memo given by Mayor Ford to selected councillors prior to Council the week of July 10, 2011, including itemized suggested voting sheets, which some have taken to calling "cheat sheets" that were distributed.
Tokens prepared for LDA: ['point', 'mayor', 'select', 'councillor', 'prior', 'council', 'include', 'itemize', 'suggest', 'sheet', 'cheat', 'sheet', 'distribute']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on June 3, 2011. Please also include any notes, photographs, or other relevant information.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'include', 'photograph', 'relevant', 'information']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of any document confirming the use for [a specified address] (i.e. if the building is commercial or residential). Including information on if the whole building (all floors) are commercial/residential. Also all permits and associated files.
Tokens prepared for LDA: ['document', 'confirm', 'specify', 'address', 'build', 'commercial', 'residential', 'include', 'information', 'build', 'floor', 'commercial', 'residential', 'permit', 'associate']
Original Request: A copy of the archival records including the PhD Dissertation research agreement and the list of items attached.
Tokens prepared for LDA: ['archival', 'record', 'include', 'dissertation', 'research', 'agreement', 'attach']
Original Request: A copy of the order to comply made against [an individual], [a specified address]. File numbers 11-217354, 11-218618 PRS 00IV regarding [a specified address].
Tokens prepared for LDA: ['order', 'comply', 'individual', 'specify', 'address].', 'number', '217354', '218618', 'regard', 'specify', 'address].']
Original Request: A copy of the building application pertaining to [a specified address], including all correspondence (receipt, reports, application form, whole folder). File number 11-214966.
Tokens prepared for LDA: ['build', 'application', 'pertain', 'specify', 'address', 'include', 'correspondence', 'receipt', 'report', 'application', 'folder', '214966']
Original Request: A copy of all and any 2011 inspection reports regarding, notes of attendances at, photos taken of [a specified address] and/or activity logs from ML&S and Public Health.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'attendance', 'photo', 'specify', 'address', 'and/or', 'activity', 'public', 'health']
Original Request: A copy of any records with respect to the removal of the underground oil and storage tanks between 1960's and 1980's for [a specified address].
Tokens prepared for LDA: ['record', 'respect', 'removal', 'underground', 'storage', 'specify', 'address].']
Original Request: A copy of all communications and correspondence (including emails) related to the core services review released starting July 11, 2011, as well as the buyouts offered to municipal employees.
Tokens prepared for LDA: ['communication', 'correspondence', 'include', 'email', 'relate', 'service', 'review', 'release', 'start', 'buyout', 'offer', 'municipal', 'employee']
Original Request: A copy of the total budget for the development of Jean Sibelius Park (also known as Sibelius Square Renewal).
Tokens prepared for LDA: ['total', 'budget', 'development', 'sibelius', 'sibelius', 'square', 'renewal']
Original Request: A copy of the building permit report for [a specified address]. The file number is 2011 237361000 00BR.
Tokens prepared for LDA: ['build', 'permit', 'report', 'specify', 'address].', '237361000']
Original Request: A copy of the Trades Complaint (file no. B02122) regarding the work Pioneer Windows and Doors Inc. completed on [a specified address]. Also a copy of the waiver on file.
Tokens prepared for LDA: ['trade', 'complaint', 'b02122', 'regard', 'pioneer', 'windows', 'door', 'complete', 'specify', 'address].', 'waiver']
Original Request: A copy of all ML&S complaints made against [a specified address].
Tokens prepared for LDA: ['complaint', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 3, 2011 and involved a vehicle. Fire Report No. F11062145. Also a copy of any notes made.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'involve', 'vehicle', 'report', 'f11062145']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 13, 2011. The fire incident report number is F11079136.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'report', 'f11079136']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on June 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on July 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 13, 2011. Fire Incident No. F11079136.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'f11079136']
Original Request: A copy of any documents pertaining to a grow op at [a specified address] searching as far back as possible.
Tokens prepared for LDA: ['document', 'pertain', 'specify', 'address', 'search', 'possible']
Original Request: A copy of the building permit application for each permit issued on the permits issued list provided.
Tokens prepared for LDA: ['build', 'permit', 'application', 'permit', 'issue', 'permit', 'issue', 'provide']
Original Request: A copy of all ML&S and Public Health reports for [a specified address] (existing reports and previous reports).
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address', 'exist', 'report', 'previous', 'report']
Original Request: A copy of the ML&S file number B10520 regarding an inspection completed at [a specified address].
Tokens prepared for LDA: ['b10520', 'regard', 'inspection', 'complete', 'specify', 'address].']
Original Request: A copy of the RFQ No. 0114-11-0001, including pages 1, 10, 14, 15, 20, 21, 28, 34, 41 to 58, and 65. Also pages 2, 3, 4 & 5 of the Price Schedule (part of Addendum No. 1). The submission was made by Work Authority.
Tokens prepared for LDA: ['include', 'price', 'schedule', 'addendum', 'submission', 'authority']
Original Request: A copy of the public health inspection report completed at [a specified address]. The file number is 111658.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'complete', 'specify', 'address].', '111658']
Original Request: A copy of the contract with KPMG for the work that will be completed on the Core Services Review.
Tokens prepared for LDA: ['contract', 'complete', 'services', 'review']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 15, 2011. Fire incident number F11080022.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'f11080022']
Original Request: A copy of the building, plumbing and HVAC inspection reports pertaining to permit number 10259599. Records pertaining to [a specified address].
Tokens prepared for LDA: ['build', 'plumb', 'inspection', 'report', 'pertain', 'permit', '10259599', 'record', 'pertain', 'specify', 'address].']
Original Request: A copy of any building documents stating the use of the property located at [a specified address] between 2005 and 2008 (i.e. rooming house vs. a multi unit complex/dwelling.
Tokens prepared for LDA: ['build', 'document', 'state', 'property', 'locate', 'specify', 'address', 'house', 'multi', 'complex', 'dwell']
Original Request: A copy of all documents relating to [a specified address], specifically signage and any permit information.
Tokens prepared for LDA: ['document', 'relate', 'specify', 'address', 'specifically', 'signage', 'permit', 'information']
Original Request: A copy of documentation that shows the amount of staff time and all outside legal costs by the City of Toronto regarding the defence of [an individual] application under the Human Rights code.
Tokens prepared for LDA: ['documentation', 'staff', 'outside', 'legal', 'toronto', 'regard', 'defence', 'individual', 'application', 'human', 'right']
Original Request: A copy of the arborist's report pertaining to a Toronto arborist who attended [a specified address] in August 2010.
Tokens prepared for LDA: ['arborist', 'report', 'pertain', 'toronto', 'arborist', 'attend', 'specify', 'address', 'august']
Original Request: A copy of the records relating to construction at [a specified address], including all permits issued and inspection reports.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'specify', 'address', 'include', 'permit', 'issue', 'inspection', 'report']
Original Request: A copy of the reports referenced in the City Staff Report dated May 30, 2011 & April 26, 2011. Also associated documents related to the zoning amendment application and subdivision application for the location at Toryork Dr., & Milvan Dr..
Tokens prepared for LDA: ['report', 'reference', 'staff', 'report', 'april', 'associate', 'document', 'relate', 'amendment', 'application', 'subdivision', 'application', 'location', 'toryork', 'milvan']
Original Request: A copy of any documents relating to [a specified address] regarding flooding issues occurring from 2005 to present, including any reports/service records. Also any reports/service records relating to sewer blocks in the area (Aug. 2009 and October 2010).
Tokens prepared for LDA: ['document', 'relate', 'specify', 'address', 'regard', 'flood', 'issue', 'occur', 'present', 'include', 'report', 'service', 'record', 'report', 'service', 'record', 'relate', 'sewer', 'block', 'august', 'october']
Original Request: A copy of all building permits relating to [a specified address] from 1970 to present.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'specify', 'address', 'present']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the site plans and April 2008 memo for [a specified address].
Tokens prepared for LDA: ['april', 'specify', 'address].']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of all records related to the ML&S inspection/notice of violation at [a specified address]. The inspection/order was with respect to a patio deck and occurred around October 2010.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'notice', 'violation', 'specify', 'address].', 'inspection', 'order', 'respect', 'patio', 'occur', 'october']
Original Request: A copy of all realty tax information regarding [a specified address] including documents with respect to the tax assessment, the application for tax refund, the outcome of the refund/application, and reviews or appeals. For the taxation year 2009-2010.
Tokens prepared for LDA: ['realty', 'information', 'regard', 'specify', 'address', 'include', 'document', 'respect', 'assessment', 'application', 'refund', 'outcome', 'refund', 'application', 'review', 'appeal', 'taxation']
Original Request: A list of all City of Toronto unclaimed cheques drawn and issued between Jan. 1, 2010 and Dec. 31, 2010 and still outstanding by July 15, 2011. The list should include 1. cheque number, 2. cheque Date, 3. amount, and 4. beneficiary name.
Tokens prepared for LDA: ['toronto', 'unclaimed', 'cheque', 'issue', 'january', 'december', 'outstanding', 'include', 'cheque', 'cheque', 'beneficiary']
Original Request: A copy of any building permits (since April 15, 2010) made by [an individual], including any information with respect to wheelchair ramps, plumbing, renovation work, or inspection completed for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'april', 'individual', 'include', 'information', 'respect', 'wheelchair', 'plumb', 'renovation', 'inspection', 'complete', 'specify', 'address].']
Original Request: A copy of the building permit no. 1987-020834 for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', '020834', 'specify', 'address', 'toronto']
Original Request: A copy of the dog bite incident records for the incident occurred at [a specified address]. The incident occurred on June 28, 2011.
Tokens prepared for LDA: ['incident', 'record', 'incident', 'occur', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of all documents submitted by the Festival Management Committee for the 2006, 2007, 2008, 2009 and 2010 Caribana Festival and for the 2011 Scotiabank Caribbean Festival.
Tokens prepared for LDA: ['document', 'submit', 'festival', 'management', 'committee', 'caribana', 'festival', 'scotiabank', 'caribbean', 'festival']
Original Request: A copy of the building inspection records, notes, surveys, and other available documents for [a specified address].
Tokens prepared for LDA: ['build', 'inspection', 'record', 'survey', 'available', 'document', 'specify', 'address].']
Original Request: A copy of the PFR records regarding the removal of trees on Malcolm Avenue for the past 30 years.
Tokens prepared for LDA: ['record', 'regard', 'removal', 'malcolm', 'avenue']
Original Request: A copy of the fire report for the motor vehicle accident at HWY 427 southbound 300 QEW. The incident occurred on April 14, 2010 at approximately 8:55 a.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'southbound', 'incident', 'occur', 'april', 'approximately']
Original Request: A copy of the fire report including notes for [a specified address], Toronto. The incident occurred on December 19, 2010.
Tokens prepared for LDA: ['report', 'include', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 4, 2011, including any additional records (i.e. investigation notes, photographs, ect.).
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'include', 'additional', 'record', 'investigation', 'photograph']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 16, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on February 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 12, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 8, 2011. The incident was a roof fire.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'incident']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on September 14, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for a slip and fall incident at the TTC subway St. Patrick's station. The incident occurred on October 30, 2009.
Tokens prepared for LDA: ['report', 'incident', 'subway', 'patrick', 'station', 'incident', 'occur', 'october']
Original Request: A copy of the order issued after the fire inspection July 2011 at [a specified address]. Also all records relating to issues at [a specified address] since 2005 (incl. inspections, reports, orders, complaints, ect.). Records from Public Health, ML&S, and Fire Services
Tokens prepared for LDA: ['order', 'issue', 'inspection', 'specify', 'address].', 'record', 'relate', 'issue', 'specify', 'address', 'inspection', 'report', 'order', 'complaint', 'record', 'public', 'health', 'services']
Original Request: A copy of the sewer maintenance records since 2006 for [a specified address].
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'specify', 'address].']
Original Request: A copy of the lot grading plan and lot grading certificate for [a specified address], Toronto.
Tokens prepared for LDA: ['grade', 'grade', 'certificate', 'specify', 'address', 'toronto']
Original Request: A copy of all building permits and inspection records for the construction work completed at [a specified address] between 2004 and 2006.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'construction', 'complete', 'specify', 'address']
Original Request: A copy of the Public Health inspection records for the inspection completed at [a specified address] in July 2011. The inspection was regarding mould and fungi growing due to a flood in the apartment.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'inspection', 'complete', 'specify', 'address', 'inspection', 'regard', 'mould', 'fungus', 'flood', 'apartment']
Original Request: An electronic document for raw, unaltered data including the four intergraph computer aided dispatch system database tables for Fire Services (from January 2011 through June 2011).
Tokens prepared for LDA: ['electronic', 'document', 'unaltered', 'datum', 'include', 'intergraph', 'computer', 'dispatch', 'database', 'table', 'services', 'january']
Original Request: All records relating to the Union Station Revitalization Project, in particular trade contract No. 16050 Electrical Systems and Stage 1 WP3 Mechanical and Electrical Systems.
Tokens prepared for LDA: ['record', 'relate', 'union', 'station', 'revitalization', 'project', 'particular', 'trade', 'contract', '16050', 'electrical', 'system', 'stage', 'mechanical', 'electrical', 'system']
Original Request: Any material describing the City's job description relating to wading pool attendants, including limitations on what they can do.
Tokens prepared for LDA: ['material', 'description', 'relate', 'attendant', 'include', 'limitation']
Original Request: Copies of the entire permit file related to the signage at [a specified address]. from 1994 to present.
Tokens prepared for LDA: ['copy', 'entire', 'permit', 'relate', 'signage', 'specify', 'address].', 'present']
Original Request: A copy of all documents, including but not limited to, e:mails, letters, memos and other documents relating to Mayor Rob Ford's July 20 trip to Ottawa. Also, copies of all receipts for four first-class airline tickets to and from Ottawa for the said trip
Tokens prepared for LDA: ['document', 'include', 'limit', 'letter', 'document', 'relate', 'mayor', 'ottawa', 'receipt', 'class', 'airline', 'ticket', 'ottawa']
Original Request: A copy of building permit (March 2011) and inspection for [a specified address]. The inspection related to heat/air conditioning. Complete name of contractor by the name of Joe is required to file complaint.
Tokens prepared for LDA: ['build', 'permit', 'march', 'inspection', 'specify', 'address].', 'inspection', 'relate', 'condition', 'complete', 'contractor', 'require', 'complaint']
Original Request: A copy of dispatch record or report relating to the forced entry incident on July 23, 2011 at [a specified address].
Tokens prepared for LDA: ['dispatch', 'record', 'report', 'relate', 'force', 'entry', 'incident', 'specify', 'address].']
Original Request: Archival records on Casa Loma Fonds 200, Series 1361, File 2. (requester's grandfather and father at Casa Loma 1934-1949).
Tokens prepared for LDA: ['archival', 'record', 'fonds', 'series', 'requester', 'grandfather', 'father']
Original Request: A copy of any forms or records relating to building permit application # 85323 for [a specified address]. The permit was issued in 1965.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'application', '85323', 'specify', 'address].', 'permit', 'issue']
Original Request: A copy of any forms or records relating to building permit application # 85324 for [a specified address]. The permit was issued in 1965.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'application', '85324', 'specify', 'address].', 'permit', 'issue']
Original Request: A copy of fire inspection reports for [a specified address]. The inspections took place on Jan. 6, 2011 and June 28, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address].', 'inspection', 'place', 'january']
Original Request: A copy of records pertaining to employee suggestions for service efficiencies and cost savings submitted as part of Organization Development and Learning's 'Ideas that Work' campaign between June 3 and 30, 2011.
Tokens prepared for LDA: ['record', 'pertain', 'employee', 'suggestion', 'service', 'efficiency', 'saving', 'submit', 'organization', 'development', 'learning', 'idea', 'campaign']
Original Request: A copy of the inspection records for [a specified address] from Toronto Fire and ML&S. The inspections were completed in March 2011. Also requested is the building permit issued back in 1996; records on the designated use of the property
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address', 'toronto', 'ml&s.', 'inspection', 'complete', 'march', 'request', 'build', 'permit', 'issue', 'record', 'designate', 'property']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of all previously issued building permits for all extensions and renovations completed on [a specified address].
Tokens prepared for LDA: ['previously', 'issue', 'build', 'permit', 'extension', 'renovation', 'complete', 'specify', 'address].']
Original Request: A copy of the reports pertaining to bed bugs at [a specified address] from June and July 2011.
Tokens prepared for LDA: ['report', 'pertain', 'specify', 'address']
Original Request: A copy of the notes made on the basement of [a specified address] by Fire Services.
Tokens prepared for LDA: ['basement', 'specify', 'address', 'services']
Original Request: A copy of the investigation records from Toronto Water pertaining to a leak at [a specified address]. The property damage occurred in July 2011. Reference number 1075462 / 1076892.
Tokens prepared for LDA: ['investigation', 'record', 'toronto', 'water', 'pertain', 'specify', 'address].', 'property', 'damage', 'occur', 'reference', '1075462', '1076892']
Original Request: A copy of the dog bite report documents relating to the dog bit incident that occurred at McCowan Road and Sheppard Avenue East. The incident occurred on July 12, 2010.
Tokens prepared for LDA: ['report', 'document', 'relate', 'incident', 'occur', 'mccowan', 'sheppard', 'avenue', 'incident', 'occur']
Original Request: A copy of all building inspection reports and notes for [a specified address], including permit #05-182611.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'include', 'permit', '182611']
Original Request: A copy of statistical data with respect to the record of offences registered against Toronto cab drivers by Toronto Police, including # of Highway Traffic Act related, # of Municipal By-Law related and # of convictions against taxi drivers per year.
Tokens prepared for LDA: ['statistical', 'datum', 'respect', 'record', 'offence', 'register', 'toronto', 'driver', 'toronto', 'police', 'include', 'highway', 'traffic', 'relate', 'municipal', 'relate', 'conviction', 'driver']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on May 26, 2009. Also a copy of all building permits, permit applications, building inspections and inspection reports from 1970 to 2009.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'build', 'permit', 'permit', 'application', 'build', 'inspection', 'inspection', 'report']
Original Request: A copy of all building permits, permit applications, building inspections and reports for [a specified address]. Records from 1970 to 2009.
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'build', 'inspection', 'report', 'specify', 'address].', 'record']
Original Request: A copy of documents provided to KPMG from PFR including the detailed inventory of service standards and services levels for PFR, all financial and budget data, all policy directions, reports, and council decisions, and all other available infor from PFR.
Tokens prepared for LDA: ['document', 'provide', 'include', 'inventory', 'service', 'standard', 'service', 'level', 'financial', 'budget', 'datum', 'policy', 'direction', 'report', 'council', 'decision', 'available', 'infor']
Original Request: A copy of all service requests, inspection notes, repair records, emergency response records and investigation notes relating to a flood incident at [a specified address], Toronto. The flooding incident occurred on Aug. 8, 2009.
Tokens prepared for LDA: ['service', 'request', 'inspection', 'repair', 'record', 'emergency', 'response', 'record', 'investigation', 'relate', 'flood', 'incident', 'specify', 'address', 'toronto', 'flood', 'incident', 'occur', 'august']
Original Request: A copy of the road construction and sewer maintenance records for work and repair completed on Queen Elizabeth Blvd. and the intersections of Plastics Avenue, Canmotor Avenue, and Taymall Avenue.
Tokens prepared for LDA: ['construction', 'sewer', 'maintenance', 'record', 'repair', 'complete', 'queen', 'elizabeth', 'intersection', 'plastic', 'avenue', 'canmotor', 'avenue', 'taymall', 'avenue']
Original Request: A copy of the delegation agreement between Serco and the City of Toronto on security guard and private investigation testing.
Tokens prepared for LDA: ['delegation', 'agreement', 'serco', 'toronto', 'security', 'guard', 'private', 'investigation']
Original Request: A copy of the service records pertaining to the sewer back up at [a specified address]. There have been calls made since 2005 requesting that the sewer be cleared due to blockage.
Tokens prepared for LDA: ['service', 'record', 'pertain', 'sewer', 'specify', 'address].', 'request', 'sewer', 'clear', 'blockage']
Original Request: A copy of the health inspection report for [a specified address], Etobicoke. The inspection occurred on July 27, 2011.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'etobicoke', 'inspection', 'occur']
Original Request: A copy of the Public Health report for [a specified address], including all notes and pictures. The inspection was completed during July, 2011.
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address', 'include', 'picture', 'inspection', 'complete']
Original Request: A copy of the fire inspection records for [a specified address]. The inspection occurred on July 27 and 28, 2011.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address].', 'inspection', 'occur']
Original Request: A copy of records containing the total cost of consulting services from K.C.I. (Ketchum) Canada between May 2009 to August 2011 that was made to the Toronto Zoo.
Tokens prepared for LDA: ['record', 'contain', 'total', 'consult', 'service', 'k.c.i.', 'ketchum', 'canada', 'august', 'toronto']
Original Request: A copy of all records pertaining to [a specified address], including all building, ML&S, Public Health, Water, Transportation, and City Planning records. Also all records with respect to the original construction and use of the building.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'include', 'build', 'public', 'health', 'water', 'transportation', 'planning', 'record', 'record', 'respect', 'original', 'construction', 'build']
Original Request: A copy of the records indicating the taxes paid and billed for [a specified address] for the years 2000-2011. Also any other records or documents with respect to the municipal property taxes on [a specified address] from 2000 to 2011.
Tokens prepared for LDA: ['record', 'indicate', 'taxis', 'specify', 'address', 'record', 'document', 'respect', 'municipal', 'property', 'taxis', 'specify', 'address']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on October 13, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on July 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on January 19, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of documents, reports, memos & emails pertaining to third-party real estate appraisals of [a specified address] commissioned for Toronto Portlands Company in preparation for the request for bids issued on July 26, 2011. Info from Toronto Portlands Company.
Tokens prepared for LDA: ['document', 'report', 'email', 'pertain', 'party', 'estate', 'appraisal', 'specify', 'address', 'commission', 'toronto', 'portland', 'company', 'preparation', 'request', 'issue', 'toronto', 'portland', 'company']
Original Request: A copy of information and drawings indicating storm sewer inverts in the vicinity of Eglinton Avenue West and Glenholme Avenue (for one block east and west of Glenholme on Eglinton and first block south of Eglinton on Glenholme).
Tokens prepared for LDA: ['information', 'drawing', 'indicate', 'storm', 'sewer', 'invert', 'vicinity', 'eglinton', 'avenue', 'glenholme', 'avenue', 'block', 'glenholme', 'eglinton', 'block', 'south', 'eglinton', 'glenholme']
Original Request: A copy of any documents relating to infractions against [a specified address] between February 2010 and February 2011. Records from Fire, ML&S, and Public Health, including orders, notices, fines, reports, etc.
Tokens prepared for LDA: ['document', 'relate', 'infraction', 'specify', 'address', 'february', 'february', 'record', 'public', 'health', 'include', 'order', 'notice', 'report']
Original Request: A copy of any records or files showing outstanding issues against [a specified address] with respect to fire prevention code and ML&S.
Tokens prepared for LDA: ['record', 'outstanding', 'issue', 'specify', 'address', 'respect', 'prevention', 'ml&s.']
Original Request: A copy of all information related to [a specified address], including plans, permits, drawings, amendments, etc.
Tokens prepared for LDA: ['information', 'relate', 'specify', 'address', 'include', 'permit', 'drawing', 'amendment']
Original Request: A copy of all documents and inspection reports for [a specified address].
Tokens prepared for LDA: ['document', 'inspection', 'report', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 17, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of any documentation created during the building of [a specified address], including inspection reports, soil conditions, notes on excavations, footing, pouring of flooring, etc.
Tokens prepared for LDA: ['documentation', 'create', 'build', 'specify', 'address', 'include', 'inspection', 'report', 'condition', 'excavation', 'floor']
Original Request: A copy of the property agreement and associated records regarding the Wells Hill Lawn Bowling Club ( [a specified address] ) and records showing when PFR stopped taking care of the property and made the club apply for an annual grant for grounds keeping costs.
Tokens prepared for LDA: ['property', 'agreement', 'associate', 'record', 'regard', 'wells', 'bowling', 'specify', 'address', 'record', 'property', 'apply', 'annual', 'grant', 'ground']
Original Request: A copy of any record of a phone call made to the City reporting an ice accumulation in between the doorway of a bus shelter located on Kipling Avenue and Kidron Valley Drive. The call would have occurred on December 4, 2007.
Tokens prepared for LDA: ['record', 'phone', 'report', 'accumulation', 'doorway', 'shelter', 'locate', 'kipling', 'avenue', 'kidron', 'valley', 'drive', 'occur', 'december']
Original Request: A copy of the ML&S inspection records from [a specified address]. The inspections occurred between July 16, 2011 and August 4, 2011.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address].', 'inspection', 'occur', 'august']
Original Request: A copy of all memos, emails, and internal reports between the Mayor's Office, Councillor Ford's Office and/or Councillor Del Grande's Office, and the City Manager's Office with respect to the core service review.
Tokens prepared for LDA: ['email', 'internal', 'report', 'mayor', 'office', 'councillor', 'office', 'and/or', 'councillor', 'grande', 'office', 'manager', 'office', 'respect', 'service', 'review']
Original Request: A copy of documentation regarding orders of printed (or other materials) produced by Deco Labels & Tags defined for use by Mayor's Office or Office of Councillor Ford. Including purchasing orders, invoices, memos and emails since Dec. 1, 2010.
Tokens prepared for LDA: ['documentation', 'regard', 'order', 'print', 'material', 'produce', 'label', 'define', 'mayor', 'office', 'office', 'councillor', 'include', 'purchase', 'order', 'invoice', 'email', 'december']
Original Request: A copy of all documents, including memos, relating to glass shattering and/or falling from windows, balconies, or other parts of buildings in the City of Toronto from June 1, 2010 to present.
Tokens prepared for LDA: ['document', 'include', 'relate', 'glass', 'shatter', 'and/or', 'window', 'balcony', 'building', 'toronto', 'present']
Original Request: A copy of the building inspection reports for [a specified address], including records relating to the building permit no. 10 240470 BLD 00 SR.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'include', 'record', 'relate', 'build', 'permit', '240470']
Original Request: A copy of the maintenance repair records regarding the high pressure flushing for the sewer mains servicing [a specified address], North York. Records from 2008 to June 27, 2010.
Tokens prepared for LDA: ['maintenance', 'repair', 'record', 'regard', 'pressure', 'flush', 'sewer', 'service', 'specify', 'address', 'north', 'record']
Original Request: A copy of the grading certificate for [a specified address], North York.
Tokens prepared for LDA: ['grade', 'certificate', 'specify', 'address', 'north']
Original Request: A copy of the original archived plans for Regent Park North buildings.
Tokens prepared for LDA: ['original', 'archive', 'regent', 'north', 'building']
Original Request: A copy of all maintenance and inspection records pertaining to the tree located at [a specified address]. The tree fell onto a vehicle on or about April 28, 2011.
Tokens prepared for LDA: ['maintenance', 'inspection', 'record', 'pertain', 'locate', 'specify', 'address].', 'vehicle', 'april']
Original Request: A copy of all orders to comply and all other ML&S or enforcement documents for [a specified address]. Including file folder number 00118978.
Tokens prepared for LDA: ['order', 'comply', 'enforcement', 'document', 'specify', 'address].', 'include', 'folder', '00118978']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for the motor vehicle accident that occurred southbound on the Don Valley Parkway around the Prince Edward Viaduct. The incident occurred on December 7, 2008 at approx. 4:16 p.m. Also include a copy of the call record.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'southbound', 'valley', 'parkway', 'prince', 'edward', 'viaduct', 'incident', 'occur', 'december', 'approx', 'include', 'record']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on June 2, 2011 at 9:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The electrical fire occurred on February 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'electrical', 'occur', 'february']
Original Request: A list of the top 25 employees in each City division who claimed mileage in 2010, including details on the amount of mileage claims and employee names.
Tokens prepared for LDA: ['employee', 'division', 'claim', 'mileage', 'include', 'mileage', 'claim', 'employee']
Original Request: A list of the top 25 employees in each City division who claimed overtime in 2010, including details on the amount of overtime hours, rate of pay, and employee names.
Tokens prepared for LDA: ['employee', 'division', 'claim', 'overtime', 'include', 'overtime', 'employee']
Original Request: A copy of all complaints made against [a specified address] since 1991, specifically emails and photos regarding the idling of a motor home. Records from Transportation, Building, and ML&S.
Tokens prepared for LDA: ['complaint', 'specify', 'address', 'specifically', 'email', 'photo', 'regard', 'motor', 'record', 'transportation', 'building', 'ml&s.']
Original Request: A copy of the ML&S records pertaining to [a specified address] from January 2007 to April 2008. Records should include the two payments made for clean up and details on when the clean up was completed.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'january', 'april', 'record', 'include', 'payment', 'clean', 'clean', 'complete']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the IBMS property record for [a specified address], including the number of units, building type, number of tenants, number of kitchens and bathrooms and any other information. No personal information is required.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'build', 'tenant', 'kitchen', 'bathroom', 'information', 'personal', 'information', 'require']
Original Request: A copy of the building plans for [a specified address].
Tokens prepared for LDA: ['build', 'specify', 'address].']
Original Request: A copy of the dog bite incident records regarding the dog bite that occurred on June 17, 2011. The dog bite incident occurred at [a specified address], Toronto.
Tokens prepared for LDA: ['incident', 'record', 'regard', 'occur', 'incident', 'occur', 'specify', 'address', 'toronto']
Original Request: A copy of the building permits, permit applications, building inspections and inspection reports from 1970-2009 for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'build', 'inspection', 'inspection', 'report', 'specify', 'address].']
Original Request: A copy of the building permits, permit applications, building inspections and inspection reports from 1970-2009 for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'build', 'inspection', 'inspection', 'report', 'specify', 'address].']
Original Request: A copy of the building permits, permit applications, building inspections and inspection reports from 1970-2009 for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'permit', 'application', 'build', 'inspection', 'inspection', 'report', 'specify', 'address].']
Original Request: A copy of the requester's name for FOI #2011-00922 and the reason for the request.
Tokens prepared for LDA: ['requester', '00922', 'reason', 'request']
Original Request: A copy of the last Public Health inspection for the property at [a specified address] including any outstanding violations, work orders, or deficiency notices.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'property', 'specify', 'address', 'include', 'outstanding', 'violation', 'order', 'deficiency', 'notice']
Original Request: A copy of all zoning applications, OMB decisions, variance applications, by-law decisions and any other relevant information with respect to [a specified address]. Records from as far back as possible.
Tokens prepared for LDA: ['application', 'decision', 'variance', 'application', 'decision', 'relevant', 'information', 'respect', 'specify', 'address].', 'record', 'possible']
Original Request: A copy of the fire report for the motor vehicle accident at Highway 401 near Allen Road. The incident occurred on June 26, 2008. Fire Incident No.: F08071863.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'highway', 'allen', 'incident', 'occur', 'incident', 'f08071863']
Original Request: A copy of the fire report for [a specified address] Toronto. The incident occurred on July 31, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 24, 2011. Report should include the reason for the fire.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'report', 'include', 'reason']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the information pertaining to construction and paving completed on Dundas Street between Augusta Street and Kensington Avenue. The construction occurred between October 2008 and April 2009.
Tokens prepared for LDA: ['information', 'pertain', 'construction', 'complete', 'dundas', 'street', 'augusta', 'street', 'kensington', 'avenue', 'construction', 'occur', 'october', 'april']
Original Request: A copy of the ML&S and Public Health inspection records for [a specified address]. The inspections are pertaining to a flood that occurred at this address.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'specify', 'address].', 'inspection', 'pertain', 'flood', 'occur', 'address']
Original Request: A copy of the previous building work orders and inspection records for the past 3 years with respect to [a specified address].
Tokens prepared for LDA: ['previous', 'build', 'order', 'inspection', 'record', 'respect', 'specify', 'address].']
Original Request: A copy of all inspection records and notes regarding the HVAC and mechanical inspections that were conducted during the construction of [a specified address] during 2009 and 2010.
Tokens prepared for LDA: ['inspection', 'record', 'regard', 'mechanical', 'inspection', 'conduct', 'construction', 'specify', 'address']
Original Request: A copy of the fire inspection reports and all citation records for [a specified address]. The inspections were completed in December 2008 or January 2009.
Tokens prepared for LDA: ['inspection', 'report', 'citation', 'record', 'specify', 'address].', 'inspection', 'complete', 'december', 'january']
Original Request: A copy of all emails sent and received by [an individual] (facilities) on March 31 and April 1.
Tokens prepared for LDA: ['email', 'receive', 'individual', 'facility', 'march', 'april']
Original Request: A copy of any records related to the meeting Mayor Ford had with Premier Dalton McGuinty on August 17, 2011.
Tokens prepared for LDA: ['record', 'relate', 'mayor', 'premier', 'dalton', 'mcguinty', 'august']
Original Request: A copy of the arborist report and the tree preservation plan and landscape plans for [a specified address], Toronto.
Tokens prepared for LDA: ['arborist', 'report', 'preservation', 'landscape', 'specify', 'address', 'toronto']
Original Request: A copy of the plans and submitted GFA elevations for the new house at [a specified address]. Also information relating to the building application #11 254455 Bld 00 NH.
Tokens prepared for LDA: ['submit', 'elevation', 'house', 'specify', 'address].', 'information', 'relate', 'build', 'application', '254455']
Original Request: A copy of all records (including any correspondence and occurrence details from the landlord and tenant) from ML&S and all contractor(s) reports pertaining to water, plumbing and electrical for [a specified address] from 2010 through 2011.
Tokens prepared for LDA: ['record', 'include', 'correspondence', 'occurrence', 'landlord', 'tenant', 'contractor(s', 'report', 'pertain', 'water', 'plumb', 'electrical', 'specify', 'address']
Original Request: All records pertaining to a flood at [a specified address] from June 2010 to present. Any records from Toronto Building or Toronto Water.
Tokens prepared for LDA: ['record', 'pertain', 'flood', 'specify', 'address', 'present', 'record', 'toronto', 'building', 'toronto', 'water']
Original Request: A copy of any detailed records relating to the flood at [a specified address], Toronto. The flood occurred in August 2011.
Tokens prepared for LDA: ['record', 'relate', 'flood', 'specify', 'address', 'toronto', 'flood', 'occur', 'august']
Original Request: A copy of all records created, held or received by the City in 2011 relating to in whole or part to any possible, proposed or planned townhome or other developments on [a specified address].
Tokens prepared for LDA: ['record', 'create', 'receive', 'relate', 'possible', 'propose', 'townhome', 'development', 'specify', 'address].']
Original Request: Access to archival information related to nutrition. Fonds 200/209/220/227/277.
Tokens prepared for LDA: ['access', 'archival', 'information', 'relate', 'nutrition', 'fonds', '200/209/220/227/277']
Original Request: A copy of all building records including permits, orders, inspection reports (handwritten incl. dates) and all correspondence for [a specified address]. All records from the demolition (~Oct. 2008) to the stop order (~April 1, 2009).
Tokens prepared for LDA: ['build', 'record', 'include', 'permit', 'order', 'inspection', 'report', 'handwritten', 'correspondence', 'specify', 'address].', 'record', 'demolition', 'order', '~april']
Original Request: A copy of the taxation history of [a specified address] dating back to the 1950's.
Tokens prepared for LDA: ['taxation', 'history', 'specify', 'address']
Original Request: A copy of the rescue camera photos from August 15, 2011. There was a motor vehicle accident between 3 and 4:30 p.m. heading eastbound on the Gardiner Expressway approaching Jamison Bridge. The photos should include a beige Lexis behind a marked police van.
Tokens prepared for LDA: ['rescue', 'camera', 'photo', 'august', 'motor', 'vehicle', 'accident', 'eastbound', 'gardiner', 'expressway', 'approach', 'jamison', 'bridge', 'photo', 'include', 'beige', 'lexis', 'police']
Original Request: A copy of the fire report for [a specified address] The incident occurred on October 18, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'october']
Original Request: A copy of a letter from Victor Araujo (Toronto Building - Plan Review) dated May 30, 2011 and addressed to [an individual] at [a specified address].
Tokens prepared for LDA: ['letter', 'victor', 'araujo', 'toronto', 'building', 'review', 'address', 'individual', 'specify', 'address].']
Original Request: A copy of the report of work completed on Adriatic Road on the City's sewers. This work was done from August 9, 2011 to present. Also a copy of all reports associated with the work order numbers 592953, 1124403, and 1125284 (references from 311).
Tokens prepared for LDA: ['report', 'complete', 'adriatic', 'sewer', 'august', 'present', 'report', 'associate', 'order', 'number', '592953', '1124403', '1125284', 'reference']
Original Request: A copy of the occupancy permit for [a specified address] between 1953 and 1960. There may be 2 separately issued permits.
Tokens prepared for LDA: ['occupancy', 'permit', 'specify', 'address', 'separately', 'issue', 'permit']
Original Request: A copy of the dog bite records including contact information for the animal's owner and witness statements. The incident occurred at the intersection of Lakeshore Blvd. West and Superior Avenue on February 18, 2011.
Tokens prepared for LDA: ['record', 'include', 'contact', 'information', 'animal', 'owner', 'witness', 'statement', 'incident', 'occur', 'intersection', 'lakeshore', 'superior', 'avenue', 'february']
Original Request: A copy of all ML&S reports and orders regarding [a specified address] and the common areas. All records from February 2009 to present.
Tokens prepared for LDA: ['report', 'order', 'regard', 'specify', 'address', 'common', 'record', 'february', 'present']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on August 10, 2011. The fire incident number is F11091613.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august', 'incident', 'f11091613']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 20, 2011 when a vehicle caught fire.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'vehicle', 'catch']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on January 24, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on August 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the original plan for the subdivision, survey, lot size, and square footage of lot for [a specified address], Toronto.
Tokens prepared for LDA: ['original', 'subdivision', 'survey', 'square', 'footage', 'specify', 'address', 'toronto']
Original Request: A copy of the reports regarding the sewage back up and flooding at [a specified address]. The flooding occurred on July 25, 2011. Also a copy of the fire incident report.
Tokens prepared for LDA: ['report', 'regard', 'sewage', 'flood', 'specify', 'address].', 'flood', 'occur', 'incident', 'report']
Original Request: A copy of the inspection reports relating to the house construction for [a specified address].
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'house', 'construction', 'specify', 'address].']
Original Request: A copy of the building permit drawings, plans, specifications, and documents filed for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'drawing', 'specification', 'document', 'specify', 'address].']
Original Request: A copy of all records explaining why the City boarded up [a specified address], including a copy of all violations and notices.
Tokens prepared for LDA: ['record', 'explain', 'board', 'specify', 'address', 'include', 'violation', 'notice']
Original Request: A copy of the archival records regarding the Fonds 200, Series 812, File 277, Town of Richmond Hill brief to Royal Commission to Metropoliton Toronto.
Tokens prepared for LDA: ['archival', 'record', 'regard', 'fonds', 'series', 'richmond', 'brief', 'royal', 'commission', 'metropoliton', 'toronto']
Original Request: A list of all street food vendors in Toronto, including contact information (with names, addresses, phone numbers, and email addresses - if possible) for the past 5 years.
Tokens prepared for LDA: ['street', 'vendor', 'toronto', 'include', 'contact', 'information', 'address', 'phone', 'number', 'email', 'address', 'possible']
Original Request: A copy of the building permit notes for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 25, 2011. The fire incident report no. is F11084776.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'incident', 'report', 'f11084776']
Original Request: A copy of all records relating to any issues at [a specified address] for the past 7 years. Records including ML&S, Fire, Health, and Building records pertaining to complaints, issues, orders, notices, inspections, reports, ect.
Tokens prepared for LDA: ['record', 'relate', 'issue', 'specify', 'address', 'record', 'include', 'health', 'building', 'record', 'pertain', 'complaint', 'issue', 'order', 'notice', 'inspection', 'report']
Original Request: An electronic copy of the City's parking ticket database for the most recent complete year available, showing the address or intersection the ticket was issued at and the first three characters of the postal code of the registered owner of the vehicle.
Tokens prepared for LDA: ['electronic', 'ticket', 'database', 'recent', 'complete', 'available', 'address', 'intersection', 'ticket', 'issue', 'character', 'postal', 'register', 'owner', 'vehicle']
Original Request: An electronic copy of the Toronto dog license database showing the first three characters of the postal code of the owner, the breed of the dog and the name of the dog.
Tokens prepared for LDA: ['electronic', 'toronto', 'license', 'database', 'character', 'postal', 'owner', 'breed']
Original Request: A copy of ML&S work order issued [a specified address].
Tokens prepared for LDA: ['order', 'issue', 'specify', 'address].']
Original Request: A copy of building inspector's order relating to maintenance and other records on heating issues with respect to [a specified address].
Tokens prepared for LDA: ['build', 'inspector', 'order', 'relate', 'maintenance', 'record', 'issue', 'respect', 'specify', 'address].']
Original Request: A copy of ML&S work order issued with respect to [a specified address].
Tokens prepared for LDA: ['order', 'issue', 'respect', 'specify', 'address].']
Original Request: A copy of permit for the garage at [a specified address], North York and any notes of inspection. (Permit # 26468)
Tokens prepared for LDA: ['permit', 'garage', 'specify', 'address', 'north', 'inspection', 'permit', '26468']
Original Request: A copy of ML&S file for [a specified address], Etobicoke (file # 1115683).
Tokens prepared for LDA: ['specify', 'address', 'etobicoke', '1115683']
Original Request: A copy of all building permits issued for [a specified address] dating back to 1930.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'specify', 'address']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 31, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on March 30, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'march']
Original Request: A copy of decision from Toronto Building with respect to the deck located at [a specified address].
Tokens prepared for LDA: ['decision', 'toronto', 'building', 'respect', 'locate', 'specify', 'address].']
Original Request: A copy of any maintenance repair records regarding the high pressure flushing for the sewer located at [a specified address], Scarborough. Records from June, 2009 to June 27, 2010.
Tokens prepared for LDA: ['maintenance', 'repair', 'record', 'regard', 'pressure', 'flush', 'sewer', 'locate', 'specify', 'address', 'scarborough', 'record']
Original Request: A copy of the building documents (including those submitted to the City or sent out by the City) related to renovation at [a specified address]. Also information on the building permits issued in or around 2009.
Tokens prepared for LDA: ['build', 'document', 'include', 'submit', 'relate', 'renovation', 'specify', 'address].', 'information', 'build', 'permit', 'issue']
Original Request: A copy of the building documents for [a specified address] (including building permits & applications) and any documents indicating a second suite or basement apartment. Also any documents from ML&S.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'build', 'permit', 'application', 'document', 'indicate', 'suite', 'basement', 'apartment', 'document', 'ml&s.']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on August 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address] Toronto. The incident occurred on February 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the building permit for [a specified address], Toronto. Building Permit No.'s 166053 and 166388.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'toronto', 'building', 'permit', '166053', '166388']
Original Request: A copy of any records with respect to mould at [a specified address]. There was an inspection completed around January 2008.
Tokens prepared for LDA: ['record', 'respect', 'mould', 'specify', 'address].', 'inspection', 'complete', 'january']
Original Request: A copy of any records including correspondence in connection with an application for front pad parking for [a specified address] in 2008. Specifically correspondence to and from [an individual] and the City of Toronto.
Tokens prepared for LDA: ['record', 'include', 'correspondence', 'connection', 'application', 'specify', 'address', 'specifically', 'correspondence', 'individual', 'toronto']
Original Request: A copy of any record of a City worker doing work near a fire hydrant at [a specified address] on August 23, 2011 at 10:30 a.m.
Tokens prepared for LDA: ['record', 'worker', 'hydrant', 'specify', 'address', 'august', '10:30']
Original Request: A copy of all ML&S inspection reports for the TCHC townhouses at [a specified address] for past 10 yrs and number of charges laid. Also a list including details on the number of complaints received by ML&S, type of complaints, and action taken.
Tokens prepared for LDA: ['inspection', 'report', 'townhouse', 'specify', 'address', 'charge', 'include', 'complaint', 'receive', 'complaint', 'action']
Original Request: A copy of the building inspection report and notes for [a specified address]. File number 08-194034 Bld.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address].', '194034']
Original Request: A copy of all details relating to the property tax exemption for [a specified address].
Tokens prepared for LDA: ['relate', 'property', 'exemption', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. There was an attic fire in the past. Please include all records related to this fire.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'attic', 'include', 'record', 'relate']
Original Request: A copy of the building permit information for [a specified address], specifically building permit number 11 132767 Bld 00 BA and all associated documents relating to the development charges and calculations, including receipt #875920 issued June 3, 2011.
Tokens prepared for LDA: ['build', 'permit', 'information', 'specify', 'address', 'specifically', 'build', 'permit', '132767', 'associate', 'document', 'relate', 'development', 'charge', 'calculation', 'include', 'receipt', '875920', 'issue']
Original Request: A copy of all building and ML&S records for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'toronto']
Original Request: A copy of the sewer maintenance records dating back to January 2006 for [a specified address], Scarborough.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'january', 'specify', 'address', 'scarborough']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on May 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on August 13, 2011. A tree landed on a vehicle. Fire incident no. F11093073.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'august', 'vehicle', 'incident', 'f11093073']
Original Request: A copy of any building documents related to [a specified address].
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address].']
Original Request: A copy of the building documents for [a specified address], including file number 82815 (1964).
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', '82815']
Original Request: A copy of all phone call and email records involving the construction at [a specified address]. Any records of history of instruction and coarses that were taken and a copy of the shoring permit information available.
Tokens prepared for LDA: ['phone', 'email', 'record', 'involve', 'construction', 'specify', 'address].', 'record', 'history', 'instruction', 'coarses', 'shore', 'permit', 'information', 'available']
Original Request: A copy of all inspections, orders, violations, and building records for [a specified address], Toronto. Including fire violations, health violations, and building violations.
Tokens prepared for LDA: ['inspection', 'order', 'violation', 'build', 'record', 'specify', 'address', 'toronto', 'include', 'violation', 'health', 'violation', 'build', 'violation']
Original Request: A copy of all records relating to [a specified address], including by-law investigations and reports, letters regarding encroachment on road allowance, complaint records, etc. (report #4315580).
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'investigation', 'report', 'letter', 'regard', 'encroachment', 'allowance', 'complaint', 'record', 'report', '4315580']
Original Request: A copy of the complaint records and associated reports with respect to trees located at [a specified address].
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'report', 'respect', 'locate', 'specify', 'address].']
Original Request: A copy of all correspondence, licenses, permits, and applications with respect to the business Esther Oasis Spa located at , 4691 Yonge Street, North York.
Tokens prepared for LDA: ['correspondence', 'license', 'permit', 'application', 'respect', 'business', 'esther', 'oasis', 'locate', 'yonge', 'street', 'north']
Original Request: A copy of the audio recording and/or transcript of the 911 call. The incident occurred at [a specified address] on July 17, 2010 at approx. 6:30 a.m.
Tokens prepared for LDA: ['audio', 'record', 'and/or', 'transcript', 'incident', 'occur', 'specify', 'address', 'approx']
Original Request: A copy of information regarding the staff (total, hired, terminated), training, technological tools used, meeting information, and department structure for Municipal Licensing and Standards from January 2002 to December 2006.
Tokens prepared for LDA: ['information', 'regard', 'staff', 'total', 'terminate', 'train', 'technological', 'information', 'department', 'structure', 'municipal', 'license', 'standard', 'january', 'december']
Original Request: A copy of all building records for [a specified address] from January 2009 to present, including drawings, materials submitted to the City in support of applications for permits or minor variances, permits development approvals, inspections, ect.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'january', 'present', 'include', 'drawing', 'material', 'submit', 'support', 'application', 'permit', 'minor', 'variance', 'permit', 'development', 'approval', 'inspection']
Original Request: A copy of all records and correspondence from April 2009 to present regarding [a specified address] and [a specified address], [a specified address], and [a specified address].
Tokens prepared for LDA: ['record', 'correspondence', 'april', 'present', 'regard', 'specify', 'address', 'specify', 'address', 'specify', 'address', 'specify', 'address].']
Original Request: A copy of all records relating to the inspections completed at [a specified address]. Also a copy of all complaint records and results of inspections. Records from 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'complete', 'specify', 'address].', 'complaint', 'record', 'result', 'inspection', 'record', 'present']
Original Request: A copy of records regarding [a specified address] including the City Planning file #08 165097 ESC 40 OZ. Also a copy of letters, application forms, and witness statements.
Tokens prepared for LDA: ['record', 'regard', 'specify', 'address', 'include', 'planning', '165097', 'letter', 'application', 'witness', 'statement']
Original Request: A copy of all records from all departments pertaining to [a specified address], Toronto, including all additional records that change the 2 unit status to a 3 unit status sometime in 2010 to 2011. Also application and approved permit #10210909 BUL 00 SR.
Tokens prepared for LDA: ['record', 'department', 'pertain', 'specify', 'address', 'toronto', 'include', 'additional', 'record', 'change', 'status', 'status', 'application', 'approve', 'permit', '10210909']
Original Request: A copy of the Access Request #2011-00922, including who is requesting the information and for what purpose(s).
Tokens prepared for LDA: ['access', 'request', '00922', 'include', 'request', 'information', 'purpose(s']
Original Request: A copy of the total compensation packages, changes/extensions to employment contracts and expenses filed in the last 18 months for the President, CEO and the Senior Management Team of Build Toronto, Invest Toronto, and Toronto Port Lands Company.
Tokens prepared for LDA: ['total', 'compensation', 'package', 'change', 'extension', 'employment', 'contract', 'expense', 'month', 'president', 'senior', 'management', 'build', 'toronto', 'invest', 'toronto', 'toronto', 'land', 'company']
Original Request: A copy of the fire report for the motor vehicle accident eastbound on the 401 near the DVP. The incident occurred on September 10, 2006 at approximately 12:26 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'eastbound', 'incident', 'occur', 'september', 'approximately', '12:26']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 23, 2011. Fire incident No. F11083929.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'f11083929']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on November 15, 2009. Fire Incident No.: F09129185.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november', 'incident', 'f09129185']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on Feb. 1, 2011 (00:47:50). Also a copy of the notice of violation and all additional notes and records specifically from headquarters and fire prevention.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'february', '00:47:50', 'notice', 'violation', 'additional', 'record', 'specifically', 'headquarter', 'prevention']
Original Request: A copy of all building records for [a specified address], Toronto, including all building permits, zoning applications and decisions, and survey information.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'toronto', 'include', 'build', 'permit', 'application', 'decision', 'survey', 'information']
Original Request: A copy of all records from Toronto Building, City Planning, and/or ML&S regarding [a specified address], Toronto.
Tokens prepared for LDA: ['record', 'toronto', 'building', 'planning', 'and/or', 'regard', 'specify', 'address', 'toronto']
Original Request: A copy of the Committee of Adjustment file for [a specified address]. The records should be dated February 7, 2006.
Tokens prepared for LDA: ['committee', 'adjustment', 'specify', 'address].', 'record', 'february']
Original Request: A copy of all complaint records, incident reports, pictures, notes, and any other documentation relating to the incidences regarding [a specified address] from February 2007 to present.
Tokens prepared for LDA: ['complaint', 'record', 'incident', 'report', 'picture', 'documentation', 'relate', 'incidence', 'regard', 'specify', 'address', 'february', 'present']
Original Request: A copy of all general records requests submitted to the City of Toronto under the freedom of information legislation since January 1, 2011 to Sept. 6, 2011.
Tokens prepared for LDA: ['general', 'record', 'request', 'submit', 'toronto', 'freedom', 'information', 'legislation', 'january', 'september']
Original Request: A copy of the noisy animal complaint records regarding the file #A11-020902. The incident occurred on August 16, 2011.
Tokens prepared for LDA: ['noisy', 'animal', 'complaint', 'record', 'regard', '020902', 'incident', 'occur', 'august']
Original Request: A copy of all Public Health complaints and inspection records for [a specified address].
Tokens prepared for LDA: ['public', 'health', 'complaint', 'inspection', 'record', 'specify', 'address].']
Original Request: A copy of any records showing the name of the male owner of two dogs, [names removed]. The dogs reside at [a specified address]. The dog attack involving these dogs occurred on [a specified address] on Aug. 4, 2011.
Tokens prepared for LDA: ['record', 'owner', 'removed].', 'reside', 'specify', 'address].', 'attack', 'involve', 'occur', 'specify', 'address', 'august']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on February 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for the motor vehicle accident on Albian Road (intersecting point Irwon). The incident occurred on August 14, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'albian', 'intersect', 'point', 'irwon', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the building permits, sale documents, surveys, and decisions for [a specified address]. Including decision #B0098/06TEY, file #A0602/03TEY, reference plan #66R23087, and decision #B0042/06TEY & B0059/07TEY.
Tokens prepared for LDA: ['build', 'permit', 'document', 'survey', 'decision', 'specify', 'address].', 'include', 'decision', 'b0098/06tey', 'a0602/03tey', 'reference', '66r23087', 'decision', 'b0042/06tey', 'b0059/07tey']
Original Request: A copy of the 911 call recording, transcript, and master audio recording of the call made with respect to a motor vehicle accident at Dixon Road and Wincott Drive. The incident occurred on February 12, 2010 at approx. 4:10 p.m.
Tokens prepared for LDA: ['record', 'transcript', 'master', 'audio', 'record', 'respect', 'motor', 'vehicle', 'accident', 'dixon', 'wincott', 'drive', 'incident', 'occur', 'february', 'approx']
Original Request: A copy of the fire report for [a specified address]. The fire incident number is F11088736.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'f11088736']
Original Request: A copy of the fire report for [a specified address], Scarborough ([a specified address] ). The incident occurred on June 4, 2011. The fire incident no. F11062421
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'specify', 'address', 'incident', 'occur', 'incident', 'f11062421']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 27, 2011. The incident involved an electrical fan cable burning.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'incident', 'involve', 'electrical', 'cable']
Original Request: A copy of all complaint records and associated ML&S documents for [a specified address].
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'document', 'specify', 'address].']
Original Request: A copy of the application forms submitted to the City of Toronto for Building file No. 08 153917 NNY 245A and any other applications for [a specified address] or [a specified address].
Tokens prepared for LDA: ['application', 'submit', 'toronto', 'building', '153917', 'application', 'specify', 'address', 'specify', 'address].']
Original Request: An electronic copy of the detailed breakdown of all the write-offs approved by the Treasurer from 2007 to present.
Tokens prepared for LDA: ['electronic', 'breakdown', 'write', 'approve', 'treasurer', 'present']
Original Request: A copy of records relating to any traffic signs that were freshly painted or replaced at the intersection of Scarborough Golf Club Road and Dunelm Street, including the date of installation. Specifically the "no right hand turn" signs.
Tokens prepared for LDA: ['record', 'relate', 'traffic', 'freshly', 'paint', 'replace', 'intersection', 'scarborough', 'dunelm', 'street', 'include', 'installation', 'specifically', 'right']
Original Request: A copy of the proposed building plans and applications filed with Building and Committee of Adjustment (North York), including any zoning review relating to [a specified address].
Tokens prepared for LDA: ['propose', 'build', 'application', 'building', 'committee', 'adjustment', 'north', 'include', 'review', 'relate', 'specify', 'address].']
Original Request: A copy of all building records for [a specified address].
Tokens prepared for LDA: ['build', 'record', 'specify', 'address].']
Original Request: A copy of all permits, drawings, and approved shoring drawings (filed against building permit #11-135419 BLD) for [a specified address].
Tokens prepared for LDA: ['permit', 'drawing', 'approve', 'shore', 'drawing', 'build', 'permit', '135419', 'specify', 'address].']
Original Request: A copy of any known records where [a specified address] called Animal Services (Dufferin) complaining about [a specified address]. Any records showing why ML&S inspected [a specified address] and also any records of complaints against [a specified address] (ML&S & Building).
Tokens prepared for LDA: ['record', 'specify', 'address', 'animal', 'services', 'dufferin', 'complain', 'specify', 'address].', 'record', 'inspect', 'specify', 'address', 'record', 'complaint', 'specify', 'address', 'building']
Original Request: A copy of the letter issued in or around 2005 stating that [a specified address] was unsafe. Also a copy of the complaints that led to the City of Toronto inspections/letters. The complaints and letters were with respect to the driveway, windows, fans, etc.
Tokens prepared for LDA: ['letter', 'issue', 'state', 'specify', 'address', 'unsafe', 'complaint', 'toronto', 'inspection', 'letter', 'complaint', 'letter', 'respect', 'driveway', 'window']
Original Request: A copy of the permit documents for [a specified address], Toronto. Also a copy of all Committee of Adjustment decisions.
Tokens prepared for LDA: ['permit', 'document', 'specify', 'address', 'toronto', 'committee', 'adjustment', 'decision']
Original Request: A copy of the archival records pertaining to [a specified address], Consumers' Gas Building.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'specify', 'address', 'consumer', 'building']
Original Request: A copy of the permit documents regarding [a specified address], Toronto. Also a copy of any Committee of Adjustment decisions.
Tokens prepared for LDA: ['permit', 'document', 'regard', 'specify', 'address', 'toronto', 'committee', 'adjustment', 'decision']
Original Request: A copy of the footage of a vehicle being stopped by a police van on Lakeshore westbound at Leslie Street. The red Hyundai was stopped on August 2, 2011 between 5:40 p.m. and 6:30 p.m.
Tokens prepared for LDA: ['footage', 'vehicle', 'police', 'lakeshore', 'westbound', 'leslie', 'street', 'hyundai', 'august']
Original Request: A list of addresses that have been fined for Nuisance or Malicious False Alarms from January 1, 2006 to present. The list should include other relevant information pertaining to each incident.
Tokens prepared for LDA: ['address', 'nuisance', 'malicious', 'false', 'alarm', 'january', 'present', 'include', 'relevant', 'information', 'pertain', 'incident']
Original Request: A copy of the archival records regarding the Destructor on Symes Road, Toronto.
Tokens prepared for LDA: ['archival', 'record', 'regard', 'destructor', 'symes', 'toronto']
Original Request: A copy of the consent letter regarding the permit for [a specified address] between [a specified address] and Metropolitan Toronto Condominium Corporation No. 743. The document should be part of the shoring permit application.
Tokens prepared for LDA: ['consent', 'letter', 'regard', 'permit', 'specify', 'address', 'specify', 'address', 'metropolitan', 'toronto', 'condominium', 'corporation', 'document', 'shore', 'permit', 'application']
Original Request: An electronic list showing the numbers and percentages of pupils at all Toronto schools who have received the vaccinations required by law.
Tokens prepared for LDA: ['electronic', 'number', 'percentage', 'pupil', 'toronto', 'school', 'receive', 'vaccination', 'require']
Original Request: A copy of all complaints (including dates and location generated), incident reports, pictures, notes, inspections, etc. regarding [a specified address].
Tokens prepared for LDA: ['complaint', 'include', 'location', 'generate', 'incident', 'report', 'picture', 'inspection', 'regard', 'specify', 'address].']
Original Request: A copy of the fire report for [a specified address], Etobicoke. The incident occurred on August 21, 2011 around 9:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on July 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on December 16, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for [a specified address]. The fire occurred on June 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'occur']
Original Request: A copy of all related documents to the ruptured water main at the [a specified address], Toronto. The incident occurred on November 5, 2010.
Tokens prepared for LDA: ['relate', 'document', 'rupture', 'water', 'specify', 'address', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of all building permits, plans and drawings associated with the Committee of Adjustment application for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'permit', 'drawing', 'associate', 'committee', 'adjustment', 'application', 'specify', 'address', 'toronto']
Original Request: A copy of the sewer maintenance records for [a specified address], North York, since January 2006.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'specify', 'address', 'north', 'january']
Original Request: A copy of the arborist report for [a specified address]. Also all inspection reports from PFR, Bldg, ML&S, City Planning, records relating to the arborist report or to the specific damage/costs, all site surveys, engineering documents, and plans.
Tokens prepared for LDA: ['arborist', 'report', 'specify', 'address].', 'inspection', 'report', 'planning', 'record', 'relate', 'arborist', 'report', 'specific', 'damage', 'survey', 'engineer', 'document']
Original Request: A copy of all mural sign permits for [a specified address], Toronto.
Tokens prepared for LDA: ['mural', 'permit', 'specify', 'address', 'toronto']
Original Request: A copy of the building documents for [a specified address], including the inspection notes from when the condo was built approx. 5 years ago. The inspections should relate to the roof and foundation of the building.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'inspection', 'condo', 'build', 'approx', 'inspection', 'relate', 'foundation', 'build']
Original Request: A list of how many employees of the City of Toronto work in each building. The list should be broken up by building addresses, name of the building, etc.
Tokens prepared for LDA: ['employee', 'toronto', 'build', 'break', 'build', 'address', 'build']
Original Request: A copy of the fire report for Humber Bay Park East. The incident occurred on July 20, 2011. A tree fell onto [an individual].
Tokens prepared for LDA: ['report', 'humber', 'incident', 'occur', 'individual].']
Original Request: A copy of all information related to permit #09 112200 PLB 00 PS, [a specified address].
Tokens prepared for LDA: ['information', 'relate', 'permit', '112200', 'specify', 'address].']
Original Request: A copy of all maintenance records for Gower Street, Toronto. Records should include high pressure flushing, repairs, upgrades, complaints and capacity/design for the last 3-5 years.
Tokens prepared for LDA: ['maintenance', 'record', 'gower', 'street', 'toronto', 'record', 'include', 'pressure', 'flush', 'repair', 'upgrade', 'complaint', 'capacity', 'design']
Original Request: A copy of all tickets and fines issued to [an individual] for placing reate signs on municipal property and for which if these tickets/fines were either or both [an individual] and/or Re/Max Realtron Reality Inc. were charged for breaches of City By-Laws.
Tokens prepared for LDA: ['ticket', 'issue', 'individual', 'place', 'reate', 'municipal', 'property', 'ticket', 'individual', 'and/or', 'realtron', 'reality', 'charge', 'breach']
Original Request: A copy of the red light camera report from March 1, 2011 at 6:40 a.m.. At the intersection of Rogers Road and Keele Street.
Tokens prepared for LDA: ['light', 'camera', 'report', 'march', 'intersection', 'rogers', 'keele', 'street']
Original Request: A copy of the building permits and inspections for [a specified address], Scarborough.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'specify', 'address', 'scarborough']
Original Request: A copy of all written documentation on permits issued for work completed at [a specified address], Toronto.
Tokens prepared for LDA: ['write', 'documentation', 'permit', 'issue', 'complete', 'specify', 'address', 'toronto']
Original Request: A copy of the building inspection reports for [a specified address] specifically relating to file no. 01-133898, 01-119703, and 425351.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'specifically', 'relate', '133898', '119703', '425351']
Original Request: A copy of the Public Health inspection report completed for Tim Horton's at []. The inspection was completed in February 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'complete', 'horton', 'inspection', 'complete', 'february']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on April 24, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of all cold chain failure reports Public Health has on record, specifically from facilities that failed inspections. Also all correspondence Health inspectors/officials had with facilities that failed these inspections from Oct. 1, 2009 to present.
Tokens prepared for LDA: ['chain', 'failure', 'report', 'public', 'health', 'record', 'specifically', 'facility', 'inspection', 'correspondence', 'health', 'inspector', 'official', 'facility', 'inspection', 'october', 'present']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 15, 2011 at 12:09.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', '12:09']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on August 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on October 15, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address] Toronto. The incident occurred on May 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on February 9, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on September 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the inspection report, notes, and associated pictures from ML&S regarding [a specified address]. An inspector came to the property around June 2011 and charged the requester for garbage in the rear parking lot.
Tokens prepared for LDA: ['inspection', 'report', 'associate', 'picture', 'regard', 'specify', 'address].', 'inspector', 'property', 'charge', 'requester', 'garbage']
Original Request: A copy of all records relating to a 911 call from [a specified address]. The incident occurred in September 2011.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address].', 'incident', 'occur', 'september']
Original Request: A copy of all information related to a Toronto Water call for a service report at [a specified address], North York. All records between September 1, 2007 and September 15, 2011.
Tokens prepared for LDA: ['information', 'relate', 'toronto', 'water', 'service', 'report', 'specify', 'address', 'north', 'record', 'september', 'september']
Original Request: A copy of the dog bite incident records. The incident occurred at [a specified address] on August 5, 2011.
Tokens prepared for LDA: ['incident', 'record', 'incident', 'occur', 'specify', 'address', 'august']
Original Request: A copy of any and all records related to [a specified address] and its common boundary with [a specified address] (i.e. property line, fence, etc.), including any applications, decisions, permits or repairs.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'common', 'boundary', 'specify', 'address', 'property', 'fence', 'include', 'application', 'decision', 'permit', 'repair']
Original Request: A copy of all outstanding orders for [a specified address]. Outstanding orders from Building, ML&S, Public Health and/or Fire Services.
Tokens prepared for LDA: ['outstanding', 'order', 'specify', 'address].', 'outstanding', 'order', 'building', 'public', 'health', 'and/or', 'services']
Original Request: A copy of all records for [a specified address] regarding a back cedar tree.
Tokens prepared for LDA: ['record', 'specify', 'address', 'regard', 'cedar']
Original Request: A copy of all records from Public Health regarding Little India Restaurant, 255 Queen Street West, from July 2009 to present. Records including complaints, orders, notices, inspections, reports, decisions, warnings, directives, follow up repairs, etc.
Tokens prepared for LDA: ['record', 'public', 'health', 'regard', 'little', 'india', 'restaurant', 'queen', 'street', 'present', 'record', 'include', 'complaint', 'order', 'notice', 'inspection', 'report', 'decision', 'warning', 'directive', 'follow', 'repair']
Original Request: A copy of the fire report for a cyclist and motor vehicle accident at Wilson Avenue and Dufferin Street. The incident occurred on August 9, 2011 at approx. 5:30 p.m. Also include the call report.
Tokens prepared for LDA: ['report', 'cyclist', 'motor', 'vehicle', 'accident', 'wilson', 'avenue', 'dufferin', 'street', 'incident', 'occur', 'august', 'approx', 'include', 'report']
Original Request: A copy of the fire report for [a specified address]. The incident occurred on September 12, 2011 after 6:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address].', 'incident', 'occur', 'september']
Original Request: A copy of the application, permit, arborist report, and inspection report for the removal of a large tree on [a specified address].
Tokens prepared for LDA: ['application', 'permit', 'arborist', 'report', 'inspection', 'report', 'removal', 'large', 'specify', 'address].']
Original Request: A copy of all documentation regarding the City of Toronto purchasing a park in Scarborough called "Wanita Property". Documents should include records from City meetings, community meetings, reports, and correspondence related to this property.
Tokens prepared for LDA: ['documentation', 'regard', 'toronto', 'purchase', 'scarborough', 'wanita', 'property', 'document', 'include', 'record', 'meeting', 'community', 'meeting', 'report', 'correspondence', 'relate', 'property']
Original Request: A copy of the building inspection report for [a specified address], Scarborough, including report number 06 114899.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'scarborough', 'include', 'report', '114899']
Original Request: A copy of the existing permit drawings for [a specified address]. Also file numbers #00-135536 and #116490.
Tokens prepared for LDA: ['exist', 'permit', 'drawing', 'specify', 'address].', 'number', '135536', '116490']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on January 15, 2011. Fire Report No. F11006162.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january', 'report', 'f11006162']
Original Request: A copy of the permit applications for [a specified address] from 1980 to 1990.
Tokens prepared for LDA: ['permit', 'application', 'specify', 'address']
Original Request: A copy of notes and approvals for the building modifications associated with permit #00-353100. The property address is [a specified address], Scarborough.
Tokens prepared for LDA: ['approval', 'build', 'modification', 'associate', 'permit', '353100', 'property', 'address', 'specify', 'address', 'scarborough']
Original Request: A copy of documents stating that [a specified address] was legally a business called [an individual]. Also any records showing if a legal business can operate out of [a specified address].
Tokens prepared for LDA: ['document', 'state', 'specify', 'address', 'legally', 'business', 'individual].', 'record', 'legal', 'business', 'operate', 'specify', 'address].']
Original Request: A copy of all names and contact information of users at Lamport Stadium, Birchmount Stadium, and Cherry Beach Fields, including the time allocated to each group and the rates/amounts paid. Records from the 2010-2011 outdoor season.
Tokens prepared for LDA: ['contact', 'information', 'lamport', 'stadium', 'birchmount', 'stadium', 'cherry', 'beach', 'fields', 'include', 'allocate', 'group', 'record', 'outdoor', 'season']
Original Request: A copy of any records of a grievance filed by CUPE Local 416 about volunteer rink flooding in November 2009 at Dufferin Rink.
Tokens prepared for LDA: ['record', 'grievance', 'local', 'volunteer', 'flood', 'november', 'dufferin']
Original Request: A breakdown of City staffing expenditures and revenues for the following 4 locations: 1. Dufferin Grove, 2. Kew Beach Park, 3. Withrow Park, and 4. Riverdale Farm. Please include breakdowns from 2009 and 2010 and include all facilities at each location.
Tokens prepared for LDA: ['breakdown', 'staff', 'expenditure', 'revenue', 'follow', 'location', 'dufferin', 'grove', 'beach', 'withrow', 'riverdale', 'include', 'breakdown', 'include', 'facility', 'location']
Original Request: A copy of all complaints made to Animal Services regarding [a specified address].
Tokens prepared for LDA: ['complaint', 'animal', 'services', 'regard', 'specify', 'address].']
Original Request: A copy of the red light camera film from Lawrence Avenue and Victoria Park Avenue. There was a motor vehicle accident at this location on June 9, 2011 at approximately 3:58 a.m..
Tokens prepared for LDA: ['light', 'camera', 'lawrence', 'avenue', 'victoria', 'avenue', 'motor', 'vehicle', 'accident', 'location', 'approximately']
Original Request: A copy of any documents showing past licenses issued to [a specified address] Scarborough. There may be past licenses issued for storing seafoods or meats for a wholesale business.
Tokens prepared for LDA: ['document', 'license', 'issue', 'specify', 'address', 'scarborough', 'license', 'issue', 'store', 'seafood', 'wholesale', 'business']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on September 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 23, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on August 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address], Scarborough. The incident occurred on August 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of all records of calls made to the City from/regarding [a specified address] from May to December 2010. Also the contract numbers and permits given to companies and contractors for gas line work and all associated inspection records.
Tokens prepared for LDA: ['record', 'regard', 'specify', 'address', 'december', 'contract', 'number', 'permit', 'company', 'contractor', 'associate', 'inspection', 'record']
Original Request: A copy of all information on zoning and by-law issues identified by Parkdale Pilot Project inspector (John Sopocleous) with respect to [a specified address]. Also any information including a legal case and the City pursuit of charges.
Tokens prepared for LDA: ['information', 'issue', 'identify', 'parkdale', 'pilot', 'project', 'inspector', 'sopocleous', 'respect', 'specify', 'address].', 'information', 'include', 'legal', 'pursuit', 'charge']
Original Request: Copies of all information related to permit # 09-112554 issued to [an individual] and R. Perlman Ent. Inc. for work done on roof and [a specified address]. in connection with the fire on Nov. 6, 2008. Inspector was Surrendra Gupta.
Tokens prepared for LDA: ['copy', 'information', 'relate', 'permit', '112554', 'issue', 'individual', 'perlman', 'specify', 'address].', 'connection', 'november', 'inspector', 'surrendra', 'gupta']
Original Request: Copies of all reports and correspondence on MLS inspection done by Manzurul Hogue at [a specified address]. related to structural related issues as bricks were falling off exterior north wall causing flooding on or about May 19, 2011.
Tokens prepared for LDA: ['copy', 'report', 'correspondence', 'inspection', 'manzurul', 'hogue', 'specify', 'address].', 'relate', 'structural', 'relate', 'issue', 'brick', 'exterior', 'north', 'cause', 'flood']
Original Request: A copy of any by-law changes since Social Housing Reform Act (SHRA) became effective. This means Jarvis George Co-op. by-laws.
Tokens prepared for LDA: ['change', 'social', 'housing', 'reform', 'effective', 'jarvis', 'george']
Original Request: A copy of 911 call record, transcript and/or master audio recording relating to the 911 call made on Jan. 21, 2011 at around 11.00 am from [a specified address].
Tokens prepared for LDA: ['record', 'transcript', 'and/or', 'master', 'audio', 'record', 'relate', 'january', '11.00', 'specify', 'address].']
Original Request: Any sewer inspection reports in the area of [a specified address], from 2005 to present, including service records and reports.
Tokens prepared for LDA: ['sewer', 'inspection', 'report', 'specify', 'address', 'present', 'include', 'service', 'record', 'report']
Original Request: Copies of service requests, work orders, logs that confirm that underground work was done at the intersection of St. George St. and Prince Arthur Ave. between De.c 10, 2010 and Dec. 11, 2010.
Tokens prepared for LDA: ['copy', 'service', 'request', 'order', 'confirm', 'underground', 'intersection', 'george', 'prince', 'arthur', 'december']
Original Request: A copy of any orders issued to Lanterra Developments regarding falling glass, any reports mentioning falling glass at Lanterra Developments and correspondence internally or externally with Buildings regarding falling glass at Lanterra Development Condos.
Tokens prepared for LDA: ['order', 'issue', 'lanterra', 'development', 'regard', 'glass', 'report', 'mention', 'glass', 'lanterra', 'development', 'correspondence', 'internally', 'externally', 'building', 'regard', 'glass', 'lanterra', 'development', 'condo']
Original Request: A copy of all records and reports pertaining to a tree located at [a specified address], including records from a visit by City staff in June 2008.
Tokens prepared for LDA: ['record', 'report', 'pertain', 'locate', 'specify', 'address', 'include', 'record', 'visit', 'staff']
Original Request: A copy of the 'City Transportation Report' used by McLarens Canada to determine liability by a pothole. The accident occurred June 24, 2011 at Fifeshire Road and Bayview Avenue. The report was used in McLarens' file number SCR 081452010.
Tokens prepared for LDA: ['transportation', 'report', 'mclarens', 'canada', 'determine', 'liability', 'pothole', 'accident', 'occur', 'fifeshire', 'bayview', 'avenue', 'report', 'mclarens', '081452010']
Original Request: A copy of the building inspection report for [a specified address]. The inspection was a framing inspection relating to permit number 11252874.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address].', 'inspection', 'frame', 'inspection', 'relate', 'permit', '11252874']
Original Request: A copy of all documents relating to liquidated damages on contract 06-FS-48WP Tender Call 160-2006 - Humber Treatment Plant - Upgrade of Waste Activated Sludge Thickening Facility.
Tokens prepared for LDA: ['document', 'relate', 'liquidate', 'damage', 'contract', '06-fs-48wp', 'tender', 'humber', 'treatment', 'plant', 'upgrade', 'waste', 'activate', 'sludge', 'thickening', 'facility']
Original Request: A copy of all inspection reports and records for [a specified address], North York. Inspections occurred in July and August of 2011.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'specify', 'address', 'north', 'inspection', 'occur', 'august']
Original Request: A copy of all tree inspections from 2010 to present for the tree located at either [a specified address].
Tokens prepared for LDA: ['inspection', 'present', 'locate', 'specify', 'address].']
Original Request: A copy of the archival records pertaining to Cooper Canada Ltd., York industrial park, and waterman construction.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'cooper', 'canada', 'industrial', 'waterman', 'construction']
Original Request: A copy of the engineering report from December 10, 2010 for the property at [a specified address].
Tokens prepared for LDA: ['engineer', 'report', 'december', 'property', 'specify', 'address].']
Original Request: A list of all events held on the lawn at Queen's Park from 2005 to the end of 2010.
Tokens prepared for LDA: ['event', 'queen']
Original Request: A copy of any arborist reports for the trees at Queen's Park from 2005 to the end of 2010.
Tokens prepared for LDA: ['arborist', 'report', 'queen']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 16, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on July 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the first approved building permit for [a specified address] from 2006 and a copy of the building permit file number 05-118507 (2009).
Tokens prepared for LDA: ['approve', 'build', 'permit', 'specify', 'address', 'build', 'permit', '118507']
Original Request: A copy of all building permit records for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address].']
Original Request: A copy of all existing building records pertaining to [a specified address].
Tokens prepared for LDA: ['exist', 'build', 'record', 'pertain', 'specify', 'address].']
Original Request: A copy of the Toronto Water report and associated documents for a visit to [a specified address] on October 19, 2010. The visit was with respect to a water flow test/lead inquiry.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'associate', 'document', 'visit', 'specify', 'address', 'october', 'visit', 'respect', 'water', 'inquiry']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on September 7, 2011 at approx. 12:45 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september', 'approx', '12:45']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred on June 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for [a specified address], North York. The incident occurred on May 5, 2011 at approx. 2:19 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'approx']
Original Request: A copy of the building records and building permit records for [a specified address] from 2002 to present.
Tokens prepared for LDA: ['build', 'record', 'build', 'permit', 'record', 'specify', 'address', 'present']
Original Request: A copy of all building records and building permit records for [a specified address] from 2008 to present.
Tokens prepared for LDA: ['build', 'record', 'build', 'permit', 'record', 'specify', 'address', 'present']
Original Request: A copy of the building permit application for [a specified address].
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address].']
Original Request: A copy of the history of all permits for [a specified address].
Tokens prepared for LDA: ['history', 'permit', 'specify', 'address].']
Original Request: A copy of all reports on the building and plumbing inspections for Forbes Dental Clinic located at [a specified address], as well as records on the contractor Apostolos Haitas.
Tokens prepared for LDA: ['report', 'build', 'plumb', 'inspection', 'forbes', 'dental', 'clinic', 'locate', 'specify', 'address', 'record', 'contractor', 'apostolos', 'haitas']
Original Request: A copy of all building records available for [a specified address], Etobicoke.
Tokens prepared for LDA: ['build', 'record', 'available', 'specify', 'address', 'etobicoke']
Original Request: A copy of all building records available for [a specified address], Toronto.
Tokens prepared for LDA: ['build', 'record', 'available', 'specify', 'address', 'toronto']
Original Request: A copy of the all fire code charges and violations for [a specified address]. The charges were laid on June 23, 2011.
Tokens prepared for LDA: ['charge', 'violation', 'specify', 'address].', 'charge']
Original Request: A copy of all building records including building permit information for [a specified address] from 1987 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'build', 'permit', 'information', 'specify', 'address', 'present']
Original Request: A copy of all building records including building permit information for [a specified address] from 2002 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'build', 'permit', 'information', 'specify', 'address', 'present']
Original Request: A copy of all building records including building permit information for [a specified address] from 2002 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'build', 'permit', 'information', 'specify', 'address', 'present']
Original Request: A copy of any updates or additions to the reports resulting from the fire inspections of [a specified address], Toronto. This is an update from FOI #2011-00773.
Tokens prepared for LDA: ['update', 'addition', 'report', 'result', 'inspection', 'specify', 'address', 'toronto', 'update', '00773']
Original Request: A list showing the number of tickets issued for parking illegally at [a specified address]. Also indicate if the parking enforcement officer wrote "Bloor Street" or "Bloor Ste". Include all numbers for 2008, 2009, and 2010.
Tokens prepared for LDA: ['ticket', 'issue', 'illegally', 'specify', 'address].', 'indicate', 'enforcement', 'officer', 'write', 'bloor', 'street', 'bloor', 'include', 'number']
Original Request: A copy of the occurrence report filed by EMS regarding the slip and fall incident at the intersection of St. Clair Avenue West and Earlscourt Avenue, Toronto. The incident occurred on July 26, 2006.
Tokens prepared for LDA: ['occurrence', 'report', 'regard', 'incident', 'intersection', 'clair', 'avenue', 'earlscourt', 'avenue', 'toronto', 'incident', 'occur']
Original Request: A copy of all records for [a specified address] from 2006 to present, including drawings, permits and Committee of Adjustment decisions.
Tokens prepared for LDA: ['record', 'specify', 'address', 'present', 'include', 'drawing', 'permit', 'committee', 'adjustment', 'decision']
Original Request: A copy of the permit # 10 105684 for [a specified address] which was closed on May 26, 2011. Also all interior and exterior final inspections.
Tokens prepared for LDA: ['permit', '105684', 'specify', 'address', 'close', 'interior', 'exterior', 'final', 'inspection']
Original Request: A copy of the fire report for [a specified address], Toronto. The incident occurred during the first week of May, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the plumbing and piping drawings of the building at [a specified address] and all MVAC drawings of [a specified address].
Tokens prepared for LDA: ['plumb', 'drawing', 'build', 'specify', 'address', 'drawing', 'specify', 'address].']
Original Request: A copy of the fire report for{a specified address}, Unit 11, Toronto. The incident occurred on July 24, 2011. Report should include the reason for the fire.
Tokens prepared for LDA: ['report', 'for{a', 'specify', 'address', 'toronto', 'incident', 'occur', 'report', 'include', 'reason']
Original Request: A copy of all phone call and email records involving the construction at {three specified addresses}. Any records of history of instruction and coarses that were taken and a copy of the shoring permit information available.
Tokens prepared for LDA: ['phone', 'email', 'record', 'involve', 'construction', 'specify', 'addresses}.', 'record', 'history', 'instruction', 'coarses', 'shore', 'permit', 'information', 'available']
Original Request: A copy of all inspections, orders, violations, and building records for {a specified address}, Toronto. Including fire violations, health violations, and building violations.
Tokens prepared for LDA: ['inspection', 'order', 'violation', 'build', 'record', 'specify', 'address', 'toronto', 'include', 'violation', 'health', 'violation', 'build', 'violation']
Original Request: A copy of the complaint records and associated reports with respect to trees located at {a specified address}.
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'report', 'respect', 'locate', 'specify', 'address}.']
Original Request: A copy of all correspondence, licenses, permits, and applications with respect to the business Esther Oasis Spa located at {a specified address}, North York.
Tokens prepared for LDA: ['correspondence', 'license', 'permit', 'application', 'respect', 'business', 'esther', 'oasis', 'locate', 'specify', 'address', 'north']
Original Request: A copy of all building records for {a specified address} from January 2009 to present, including drawings, materials submitted to the City in support of applications for permits or minor variances, permits development approvals, inspections, ect.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'january', 'present', 'include', 'drawing', 'material', 'submit', 'support', 'application', 'permit', 'minor', 'variance', 'permit', 'development', 'approval', 'inspection']
Original Request: A copy of all records and correspondence from April 2009 to present regarding {a specified address} and {6 specified addresses}, {2 specified addresses}, and {4 specified addresses}.
Tokens prepared for LDA: ['record', 'correspondence', 'april', 'present', 'regard', 'specify', 'address', 'specify', 'address', 'specify', 'address', 'specify', 'addresses}.']
Original Request: A copy of all records relating to the inspections completed at {a specified address}. Also a copy of all complaint records and results of inspections. Records from 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'complete', 'specify', 'address}.', 'complaint', 'record', 'result', 'inspection', 'record', 'present']
Original Request: A copy of records regarding {a specified address}, including the City Planning file #08 165097 ESC 40 OZ. Also a copy of letters, application forms, and witness statements.
Tokens prepared for LDA: ['record', 'regard', 'specify', 'address', 'include', 'planning', '165097', 'letter', 'application', 'witness', 'statement']
Original Request: A copy of all records from all departments pertaining to {a specified address}, Toronto, including all additional records that change the 2 unit status to a 3 unit status sometime in 2010 to 2011. Also application and approved permit #10210909 BUL 00 SR.
Tokens prepared for LDA: ['record', 'department', 'pertain', 'specify', 'address', 'toronto', 'include', 'additional', 'record', 'change', 'status', 'status', 'application', 'approve', 'permit', '10210909']
Original Request: A copy of the Access Request #2011-00922, including who is requesting the information and for what purpose(s).
Tokens prepared for LDA: ['access', 'request', '00922', 'include', 'request', 'information', 'purpose(s']
Original Request: A copy of the total compensation packages, changes/extensions to employment contracts and expenses filed in the last 18 months for the President, CEO and the Senior Management Team of Build Toronto, Invest Toronto, and Toronto Port Lands Company.
Tokens prepared for LDA: ['total', 'compensation', 'package', 'change', 'extension', 'employment', 'contract', 'expense', 'month', 'president', 'senior', 'management', 'build', 'toronto', 'invest', 'toronto', 'toronto', 'land', 'company']
Original Request: A copy of the fire report for the motor vehicle accident eastbound on the 401 near the DVP. The incident occurred on September 10, 2006 at approximately 12:26 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'eastbound', 'incident', 'occur', 'september', 'approximately', '12:26']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 23, 2011. Fire incident No. F11083929.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'incident', 'f11083929']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on November 15, 2009. Fire Incident No.: F09129185.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november', 'incident', 'f09129185']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on Feb. 1, 2011 (00:47:50). Also a copy of the notice of violation and all additional notes and records specifically from headquarters and fire prevention.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february', '00:47:50', 'notice', 'violation', 'additional', 'record', 'specifically', 'headquarter', 'prevention']
Original Request: A copy of all building records for {a specified address}, Toronto, including all building permits, zoning applications and decisions, and survey information.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'toronto', 'include', 'build', 'permit', 'application', 'decision', 'survey', 'information']
Original Request: A copy of all records from Toronto Building, City Planning, and/or ML&S regarding {a specified address}, Toronto.
Tokens prepared for LDA: ['record', 'toronto', 'building', 'planning', 'and/or', 'regard', 'specify', 'address', 'toronto']
Original Request: A copy of the Committee of Adjustment file for {a specified address}. The records should be dated February 7, 2006.
Tokens prepared for LDA: ['committee', 'adjustment', 'specify', 'address}.', 'record', 'february']
Original Request: A copy of all complaint records, incident reports, pictures, notes, and any other documentation relating to the incidences regarding {two specified addresses} from February 2007 to present.
Tokens prepared for LDA: ['complaint', 'record', 'incident', 'report', 'picture', 'documentation', 'relate', 'incidence', 'regard', 'specify', 'address', 'february', 'present']
Original Request: A copy of all general records requests submitted to the City of Toronto under the freedom of information legislation since January 1, 2011 to Sept. 6, 2011.
Tokens prepared for LDA: ['general', 'record', 'request', 'submit', 'toronto', 'freedom', 'information', 'legislation', 'january', 'september']
Original Request: A copy of the noisy animal complaint records regarding the file #A11-020902. The incident occurred on August 16, 2011.
Tokens prepared for LDA: ['noisy', 'animal', 'complaint', 'record', 'regard', '020902', 'incident', 'occur', 'august']
Original Request: A copy of all Public Health complaints and inspection records for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'complaint', 'inspection', 'record', 'specify', 'address}.']
Original Request: A copy of any records showing the name of the male owner of two dogs, {dogs' names removed}. The dogs reside at {a specified address}. The dog attack involving these dogs occurred on Ridgevale Drive on Aug. 4, 2011.
Tokens prepared for LDA: ['record', 'owner', 'removed}.', 'reside', 'specify', 'address}.', 'attack', 'involve', 'occur', 'ridgevale', 'drive', 'august']
Original Request: A copy of the fire report for {a specified address} East, 2nd Floor, Toronto. The incident occurred on February 10, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'floor', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for the motor vehicle accident on Albian Road (intersecting point Irwon). The incident occurred on August 14, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'albian', 'intersect', 'point', 'irwon', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the building permits, sale documents, surveys, and decisions for {a specified address}. Including decision #B0098/06TEY, file #A0602/03TEY, reference plan #66R23087, and decision #B0042/06TEY & B0059/07TEY.
Tokens prepared for LDA: ['build', 'permit', 'document', 'survey', 'decision', 'specify', 'address}.', 'include', 'decision', 'b0098/06tey', 'a0602/03tey', 'reference', '66r23087', 'decision', 'b0042/06tey', 'b0059/07tey']
Original Request: A copy of the 911 call recording, transcript, and master audio recording of the call made with respect to a motor vehicle accident at Dixon Road and Wincott Drive. The incident occurred on February 12, 2010 at approx. 4:10 p.m.
Tokens prepared for LDA: ['record', 'transcript', 'master', 'audio', 'record', 'respect', 'motor', 'vehicle', 'accident', 'dixon', 'wincott', 'drive', 'incident', 'occur', 'february', 'approx']
Original Request: A copy of the fire report for {a specified address}. The fire incident number is F11088736.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'f11088736']
Original Request: A copy of the fire report for {a specified address}, Scarborough (or {a specified address}). The incident occurred on June 4, 2011. The fire incident no. F11062421
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'specify', 'address', 'incident', 'occur', 'incident', 'f11062421']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 27, 2011. The incident involved an electrical fan cable burning.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'incident', 'involve', 'electrical', 'cable']
Original Request: A copy of all complaint records and associated ML&S documents for {a specified address}.
Tokens prepared for LDA: ['complaint', 'record', 'associate', 'document', 'specify', 'address}.']
Original Request: A copy of the application forms submitted to the City of Toronto for Building file No. 08 153917 NNY 245A and any other applications for {a specified address} or {a specified address}.
Tokens prepared for LDA: ['application', 'submit', 'toronto', 'building', '153917', 'application', 'specify', 'address', 'specify', 'address}.']
Original Request: An electronic copy of the detailed breakdown of all the write-offs approved by the Treasurer from 2007 to present.
Tokens prepared for LDA: ['electronic', 'breakdown', 'write', 'approve', 'treasurer', 'present']
Original Request: A copy of records relating to any traffic signs that were freshly painted or replaced at the intersection of Scarborough Golf Club Road and Dunelm Street, including the date of installation. Specifically the "no right hand turn" signs.
Tokens prepared for LDA: ['record', 'relate', 'traffic', 'freshly', 'paint', 'replace', 'intersection', 'scarborough', 'dunelm', 'street', 'include', 'installation', 'specifically', 'right']
Original Request: A copy of the proposed building plans and applications filed with Building and Committee of Adjustment (North York), including any zoning review relating to {a specified address}.
Tokens prepared for LDA: ['propose', 'build', 'application', 'building', 'committee', 'adjustment', 'north', 'include', 'review', 'relate', 'specify', 'address}.']
Original Request: A copy of all building records for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address}.']
Original Request: A copy of all permits, drawings, and approved shoring drawings (filed against building permit #11-135419 BLD) for {a specified address}.
Tokens prepared for LDA: ['permit', 'drawing', 'approve', 'shore', 'drawing', 'build', 'permit', '135419', 'specify', 'address}.']
Original Request: A copy of any known records where {a specified address} called Animal Services (Dufferin) complaining about {a specified address} Any records showing why ML&S inspectied {a specified address} and also any records of complaints against {a specified address} (ML&S & Building).
Tokens prepared for LDA: ['record', 'specify', 'address', 'animal', 'services', 'dufferin', 'complain', 'specify', 'address', 'record', 'inspectied', 'specify', 'address', 'record', 'complaint', 'specify', 'address', 'building']
Original Request: A copy of the letter issued in or around 2005 stating that {a specified address} was unsafe. Also a copy of the complaints that led to the City of Toronto inspections/letters. The complaints and letters were with respect to the driveway, windows, fans, etc.
Tokens prepared for LDA: ['letter', 'issue', 'state', 'specify', 'address', 'unsafe', 'complaint', 'toronto', 'inspection', 'letter', 'complaint', 'letter', 'respect', 'driveway', 'window']
Original Request: A copy of the permit documents for {a specified address}, Toronto. Also a copy of all Committee of Adjustment decisions.
Tokens prepared for LDA: ['permit', 'document', 'specify', 'address', 'toronto', 'committee', 'adjustment', 'decision']
Original Request: A copy of the archival records pertaining to {a specified address}, Consumers' Gas Building.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'specify', 'address', 'consumer', 'building']
Original Request: A copy of the permit documents regarding {a specified address}, Toronto. Also a copy of any Committee of Adjustment decisions.
Tokens prepared for LDA: ['permit', 'document', 'regard', 'specify', 'address', 'toronto', 'committee', 'adjustment', 'decision']
Original Request: A copy of the footage of a vehicle being stopped by a police van on Lakeshore westbound at Leslie Street. The red Hyundai was stopped on August 2, 2011 between 5:40 p.m. and 6:30 p.m.
Tokens prepared for LDA: ['footage', 'vehicle', 'police', 'lakeshore', 'westbound', 'leslie', 'street', 'hyundai', 'august']
Original Request: A list of addresses that have been fined for Nuisance or Malicious False Alarms from January 1, 2006 to present. The list should include other relevant information pertaining to each incident.
Tokens prepared for LDA: ['address', 'nuisance', 'malicious', 'false', 'alarm', 'january', 'present', 'include', 'relevant', 'information', 'pertain', 'incident']
Original Request: A copy of the archival records regarding the Destructor on Symes Road, Toronto.
Tokens prepared for LDA: ['archival', 'record', 'regard', 'destructor', 'symes', 'toronto']
Original Request: A copy of the consent letter regarding the permit for {a specified address} between {a specified address} and Metropolitan Toronto Condominium Corporation No. 743. The document should be part of the shoring permit application.
Tokens prepared for LDA: ['consent', 'letter', 'regard', 'permit', 'specify', 'address', 'specify', 'address', 'metropolitan', 'toronto', 'condominium', 'corporation', 'document', 'shore', 'permit', 'application']
Original Request: An electronic list showing the numbers and percentages of pupils at all Toronto schools who have received the vaccinations required by law.
Tokens prepared for LDA: ['electronic', 'number', 'percentage', 'pupil', 'toronto', 'school', 'receive', 'vaccination', 'require']
Original Request: A copy of all complaints (including dates and location generated), incident reports, pictures, notes, inspections, etc. regarding {a specified address}.
Tokens prepared for LDA: ['complaint', 'include', 'location', 'generate', 'incident', 'report', 'picture', 'inspection', 'regard', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on August 21, 2011 around 9:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on December 16, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The fire occurred on June 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'occur']
Original Request: A copy of all related documents to the ruptured water main at the Eaton Centre, 2 Queen Street West, Toronto. The incident occurred on November 5, 2010.
Tokens prepared for LDA: ['relate', 'document', 'rupture', 'water', 'eaton', 'centre', 'queen', 'street', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of all building permits, plans and drawings associated with the Committee of Adjustment application for {a specified address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', 'drawing', 'associate', 'committee', 'adjustment', 'application', 'specify', 'address', 'toronto']
Original Request: A copy of the sewer maintenance records for {a specified address}, North York, since January 2006.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'specify', 'address', 'north', 'january']
Original Request: A copy of the arborist report for {two specified addresses}. Also all inspection reports from PFR, Bldg, ML&S, City Planning, records relating to the arborist report or to the specific damage/costs, all site surveys, engineering documents, and plans.
Tokens prepared for LDA: ['arborist', 'report', 'specify', 'addresses}.', 'inspection', 'report', 'planning', 'record', 'relate', 'arborist', 'report', 'specific', 'damage', 'survey', 'engineer', 'document']
Original Request: A copy of all mural sign permits for {a specified address}, Toronto.
Tokens prepared for LDA: ['mural', 'permit', 'specify', 'address', 'toronto']
Original Request: A copy of the building documents for {a specified address}, including the inspection notes from when the condo was built approx. 5 years ago. The inspections should relate to the roof and foundation of the building.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'inspection', 'condo', 'build', 'approx', 'inspection', 'relate', 'foundation', 'build']
Original Request: A list of how many employees of the City of Toronto work in each building. The list should be broken up by building addresses, name of the building, etc.
Tokens prepared for LDA: ['employee', 'toronto', 'build', 'break', 'build', 'address', 'build']
Original Request: A copy of the fire report for Humber Bay Park East. The incident occurred on July 20, 2011. A tree fell onto {an individual}.
Tokens prepared for LDA: ['report', 'humber', 'incident', 'occur', 'individual}.']
Original Request: A copy of all information related to permit #09 112200 PLB 00 PS, {a specified address}.
Tokens prepared for LDA: ['information', 'relate', 'permit', '112200', 'specify', 'address}.']
Original Request: A copy of all maintenance records for Gower Street, Toronto. Records should include high pressure flushing, repairs, upgrades, complaints and capacity/design for the last 3-5 years.
Tokens prepared for LDA: ['maintenance', 'record', 'gower', 'street', 'toronto', 'record', 'include', 'pressure', 'flush', 'repair', 'upgrade', 'complaint', 'capacity', 'design']
Original Request: A copy of all tickets and fines issued to {an individual} for placing reate signs on municipal property and for which if these tickets/fines were either or both Mr. {an individual) and/or Re/Max Realtron Reality Inc. were charged for breaches of City By-Laws.
Tokens prepared for LDA: ['ticket', 'issue', 'individual', 'place', 'reate', 'municipal', 'property', 'ticket', 'individual', 'and/or', 'realtron', 'reality', 'charge', 'breach']
Original Request: A copy of the red light camera report from March 1, 2011 at 6:40 a.m.. At the intersection of Rogers Road and Keele Street.
Tokens prepared for LDA: ['light', 'camera', 'report', 'march', 'intersection', 'rogers', 'keele', 'street']
Original Request: A copy of the building permits and inspections for {a specified address}, Scarborough.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'specify', 'address', 'scarborough']
Original Request: A copy of all written documentation on permits issued for work completed at {a specified address}, Toronto.
Tokens prepared for LDA: ['write', 'documentation', 'permit', 'issue', 'complete', 'specify', 'address', 'toronto']
Original Request: A copy of the building inspection reports for {a specified address}, specifically relating to file no. 01-133898, 01-119703, and 425351.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'specifically', 'relate', '133898', '119703', '425351']
Original Request: A copy of the Public Health inspection report completed for Tim Horton's at {a specified address}. The inspection was completed in February 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'complete', 'horton', 'specify', 'address}.', 'inspection', 'complete', 'february']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on April 24, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'april']
Original Request: A copy of all cold chain failure reports Public Health has on record, specifically from facilities that failed inspections. Also all correspondence Health inspectors/officials had with facilities that failed these inspections from Oct. 1, 2009 to present.
Tokens prepared for LDA: ['chain', 'failure', 'report', 'public', 'health', 'record', 'specifically', 'facility', 'inspection', 'correspondence', 'health', 'inspector', 'official', 'facility', 'inspection', 'october', 'present']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 15, 2011 at 12:09.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', '12:09']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on August 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 15, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on May 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on February 9, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address} Scarborough. The incident occurred on May 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on September 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the inspection report, notes, and associated pictures from ML&S regarding {a specified address}. An inspector came to the property around June 2011 and charged the requester for garbage in the rear parking lot.
Tokens prepared for LDA: ['inspection', 'report', 'associate', 'picture', 'regard', 'specify', 'address}.', 'inspector', 'property', 'charge', 'requester', 'garbage']
Original Request: A copy of all records relating to a 911 call from {a specified address}. The incident occurred in September 2011.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of all information related to a Toronto Water call for a service report at {a specified address}, North York. All records between September 1, 2007 and Septemner 15, 2011.
Tokens prepared for LDA: ['information', 'relate', 'toronto', 'water', 'service', 'report', 'specify', 'address', 'north', 'record', 'september', 'septemner']
Original Request: A copy of the dog bite incident records. The incident occurred at {a specified address} on August 5, 2011.
Tokens prepared for LDA: ['incident', 'record', 'incident', 'occur', 'specify', 'address', 'august']
Original Request: A copy of any and all records related to {a specified address} and its common boundary with {a specified address} (i.e. property line, fence, etc.), including any applications, decisions, permits or repairs.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'common', 'boundary', 'specify', 'address', 'property', 'fence', 'include', 'application', 'decision', 'permit', 'repair']
Original Request: A copy of all outstanding orders for {a specified address}. Outstanding orders from Building, ML&S, Public Health and/or Fire Services.
Tokens prepared for LDA: ['outstanding', 'order', 'specify', 'address}.', 'outstanding', 'order', 'building', 'public', 'health', 'and/or', 'services']
Original Request: A copy of all records for {a specified address} regarding a back cedar tree.
Tokens prepared for LDA: ['record', 'specify', 'address', 'regard', 'cedar']
Original Request: A copy of all records from Public Health regarding {a specified address}, from July 2009 to present. Records including complaints, orders, notices, inspections, reports, decisions, warnings, directives, follow up repairs, etc.
Tokens prepared for LDA: ['record', 'public', 'health', 'regard', 'specify', 'address', 'present', 'record', 'include', 'complaint', 'order', 'notice', 'inspection', 'report', 'decision', 'warning', 'directive', 'follow', 'repair']
Original Request: A copy of the fire report for a cyclist and motor vehicle accident at Wilson Avenue and Dufferin Street. The incident occurred on August 9, 2011 at approx. 5:30 p.m. Also include the call report.
Tokens prepared for LDA: ['report', 'cyclist', 'motor', 'vehicle', 'accident', 'wilson', 'avenue', 'dufferin', 'street', 'incident', 'occur', 'august', 'approx', 'include', 'report']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 12, 2011 after 6:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the application, permit, arborist report, and inspection report for the removal of a large tree on {a specified address}.
Tokens prepared for LDA: ['application', 'permit', 'arborist', 'report', 'inspection', 'report', 'removal', 'large', 'specify', 'address}.']
Original Request: A copy of all documentation regarding the City of Toronto purchasing a park in Scarborough called "Wanita Property". Documents should include records from City meetings, community meetings, reports, and correspondence related to this property.
Tokens prepared for LDA: ['documentation', 'regard', 'toronto', 'purchase', 'scarborough', 'wanita', 'property', 'document', 'include', 'record', 'meeting', 'community', 'meeting', 'report', 'correspondence', 'relate', 'property']
Original Request: A copy of the building inspection report for {a specified address}, Scarborough, including report number 06 114899.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'scarborough', 'include', 'report', '114899']
Original Request: A copy of the existing permit drawings for {a specified address}. Also file numbers #00-135536 and #116490.
Tokens prepared for LDA: ['exist', 'permit', 'drawing', 'specify', 'address}.', 'number', '135536', '116490']
Original Request: A copy of the fire report for {a specified address},Scarborough. The incident occurred on January 15, 2011. Fire Report No. F11006162.
Tokens prepared for LDA: ['report', 'specify', 'address},scarborough', 'incident', 'occur', 'january', 'report', 'f11006162']
Original Request: A copy of the permit applications for {a specified address} from 1980 to 1990.
Tokens prepared for LDA: ['permit', 'application', 'specify', 'address']
Original Request: A copy of notes and approvals for the building modifications associated with permit #00-353100. The property address is {a specified address}, Scarborough.
Tokens prepared for LDA: ['approval', 'build', 'modification', 'associate', 'permit', '353100', 'property', 'address', 'specify', 'address', 'scarborough']
Original Request: A copy of documents stating that {a specified address} was legally a business called Lattin Bakery. Also any records showing if a legal business can operate out of {a specified address}.
Tokens prepared for LDA: ['document', 'state', 'specify', 'address', 'legally', 'business', 'lattin', 'bakery', 'record', 'legal', 'business', 'operate', 'specify', 'address}.']
Original Request: A copy of any records of a grievance filed by CUPE Local 416 about volunteer rink flooding in November 2009 at Dufferin Rink.
Tokens prepared for LDA: ['record', 'grievance', 'local', 'volunteer', 'flood', 'november', 'dufferin']
Original Request: A breakdown of City staffing expenditures and revenues for the following 4 locations: 1. Dufferin Grove, 2. Kew Beach Park, 3. Withrow Park, and 4. Riverdale Farm. Please include breakdowns from 2009 and 2010 and include all facilities at each location.
Tokens prepared for LDA: ['breakdown', 'staff', 'expenditure', 'revenue', 'follow', 'location', 'dufferin', 'grove', 'beach', 'withrow', 'riverdale', 'include', 'breakdown', 'include', 'facility', 'location']
Original Request: A copy of all complaints made to Animal Services regarding {a specified address}.
Tokens prepared for LDA: ['complaint', 'animal', 'services', 'regard', 'specify', 'address}.']
Original Request: A copy of the red light camera film from Lawrence Avenue and Victoria Park Avenue. There was a motor vehicle accident at this location on June 9, 2011 at approximately 3:58 a.m..
Tokens prepared for LDA: ['light', 'camera', 'lawrence', 'avenue', 'victoria', 'avenue', 'motor', 'vehicle', 'accident', 'location', 'approximately']
Original Request: A copy of any documents showing past licenses issued to {a specified address}, Scarborough. There may be past licenses issued for storing seafoods or meats for a wholesale business.
Tokens prepared for LDA: ['document', 'license', 'issue', 'specify', 'address', 'scarborough', 'license', 'issue', 'store', 'seafood', 'wholesale', 'business']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on September 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 23, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on August 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on August 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of all records of calls made to the City from/regarding {a specified address} from May to December 2010. Also the contract numbers and permits given to companies and contractors for gas line work and all associated inspection records.
Tokens prepared for LDA: ['record', 'regard', 'specify', 'address', 'december', 'contract', 'number', 'permit', 'company', 'contractor', 'associate', 'inspection', 'record']
Original Request: Copies of all information related to permit # 09-112554 issued to M. Perlman and R. Perlman Ent. Inc. for work done on roof and 3rd floor of {a specified address} in connection with the fire on Nov. 6, 2008. Inspector was Surrendra Gupta.
Tokens prepared for LDA: ['copy', 'information', 'relate', 'permit', '112554', 'issue', 'perlman', 'perlman', 'floor', 'specify', 'address', 'connection', 'november', 'inspector', 'surrendra', 'gupta']
Original Request: Copies of all reports and correspondence on MLS inspection done by Manzurul Hogue at {a specified address} related to structural related issues as bricks were falling off exterior north wall causing flooding on or about May 19, 2011.
Tokens prepared for LDA: ['copy', 'report', 'correspondence', 'inspection', 'manzurul', 'hogue', 'specify', 'address', 'relate', 'structural', 'relate', 'issue', 'brick', 'exterior', 'north', 'cause', 'flood']
Original Request: A copy of any by-law changes since Social Housing Reform Act (SHRA) became effective. This means Jarvis George Co-op. by-laws.
Tokens prepared for LDA: ['change', 'social', 'housing', 'reform', 'effective', 'jarvis', 'george']
Original Request: A copy of 911 call record, transcript and/or master audio recording relating to the 911 call made on Jan. 21, 2011 at around 11.00 am from {a specified address}, Apt. 906.
Tokens prepared for LDA: ['record', 'transcript', 'and/or', 'master', 'audio', 'record', 'relate', 'january', '11.00', 'specify', 'address']
Original Request: Any sewer inspection reports in the area of {a specified address}, from 2005 to present, including service records and reports.
Tokens prepared for LDA: ['sewer', 'inspection', 'report', 'specify', 'address', 'present', 'include', 'service', 'record', 'report']
Original Request: Copies of service requests, work orders, logs that confirm that underground work was done at the intersection of St. George St. and Prince Arthur Ave. between De.c 10, 2010 and Dec. 11, 2010.
Tokens prepared for LDA: ['copy', 'service', 'request', 'order', 'confirm', 'underground', 'intersection', 'george', 'prince', 'arthur', 'december']
Original Request: A copy of any orders issued to Lanterra Developments regarding falling glass, any reports mentioning falling glass at Lanterra Developments and correspondence internally or externally with Buildings regarding falling glass at Lanterra Developement Condos.
Tokens prepared for LDA: ['order', 'issue', 'lanterra', 'development', 'regard', 'glass', 'report', 'mention', 'glass', 'lanterra', 'development', 'correspondence', 'internally', 'externally', 'building', 'regard', 'glass', 'lanterra', 'developement', 'condo']
Original Request: A copy of all records and reports pertaining to a tree located at {a specified address}, including records from a visit by City staff in June 2008.
Tokens prepared for LDA: ['record', 'report', 'pertain', 'locate', 'specify', 'address', 'include', 'record', 'visit', 'staff']
Original Request: A copy of the 'City Transportation Report' used by McLarens Canada to determine liability by a pothole. The accident occurred June 24, 2011 at Fifeshire Road and Bayview Avenue. The report was used in McLarens' file number SCR 081452010.
Tokens prepared for LDA: ['transportation', 'report', 'mclarens', 'canada', 'determine', 'liability', 'pothole', 'accident', 'occur', 'fifeshire', 'bayview', 'avenue', 'report', 'mclarens', '081452010']
Original Request: A copy of the building inspection report for {a specified address}. The inspection was a framing inspection relating to permit number 11252874.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address}.', 'inspection', 'frame', 'inspection', 'relate', 'permit', '11252874']
Original Request: A copy of all documents relating to liquidated damages on contract 06-FS-48WP Tender Call 160-2006 - Humber Treatment Plant - Upgrade of Waste Activated Sludge Thickening Facility.
Tokens prepared for LDA: ['document', 'relate', 'liquidate', 'damage', 'contract', '06-fs-48wp', 'tender', 'humber', 'treatment', 'plant', 'upgrade', 'waste', 'activate', 'sludge', 'thickening', 'facility']
Original Request: A copy of all inspection reports and records for {a specified address} North York. Inspections occurred in July and August of 2011.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'specify', 'address', 'north', 'inspection', 'occur', 'august']
Original Request: A copy of all tree inspections from 2010 to present for the tree located at either {two specified addresses}.
Tokens prepared for LDA: ['inspection', 'present', 'locate', 'specify', 'addresses}.']
Original Request: A copy of the archival records pertaining to Cooper Canada Ltd., York industrial park, and waterman construction.
Tokens prepared for LDA: ['archival', 'record', 'pertain', 'cooper', 'canada', 'industrial', 'waterman', 'construction']
Original Request: A copy of the engineering report from December 10, 2010 for the property at {a specified address}.
Tokens prepared for LDA: ['engineer', 'report', 'december', 'property', 'specify', 'address}.']
Original Request: A list of all events held on the lawn at Queen's Park from 2005 to the end of 2010.
Tokens prepared for LDA: ['event', 'queen']
Original Request: A copy of any arborist reports for the trees at Queen's Park from 2005 to the end of 2010.
Tokens prepared for LDA: ['arborist', 'report', 'queen']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on June 16, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address},Toronto. The incident occurred on July 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address},toronto', 'incident', 'occur']
Original Request: A copy of the first approved building permit for {a specified address} from 2006 and a copy of the building permit file number 05-118507 (2009).
Tokens prepared for LDA: ['approve', 'build', 'permit', 'specify', 'address', 'build', 'permit', '118507']
Original Request: A copy of all building permit records for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address}.']
Original Request: A copy of all existing building records pertaining to {a specified address}.
Tokens prepared for LDA: ['exist', 'build', 'record', 'pertain', 'specify', 'address}.']
Original Request: A copy of the Toronto Water report and associated documents for a visit to {a specified address} on October 19, 2010. The visit was with respect to a water flow test/lead inquiry.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'associate', 'document', 'visit', 'specify', 'address', 'october', 'visit', 'respect', 'water', 'inquiry']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on September 7, 2011 at approx. 12:45 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september', 'approx', '12:45']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on June 27, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on May 5, 2011 at approx. 2:19 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'approx']
Original Request: A copy of the building records and building permit records for {three specified addresses} from 2002 to present.
Tokens prepared for LDA: ['build', 'record', 'build', 'permit', 'record', 'specify', 'address', 'present']
Original Request: A copy of all building records and building permit records for {a specified address} from 2008 to present.
Tokens prepared for LDA: ['build', 'record', 'build', 'permit', 'record', 'specify', 'address', 'present']
Original Request: A copy of the building permit application for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'specify', 'address}.']
Original Request: A copy of the history of all permits for {a specified address}.
Tokens prepared for LDA: ['history', 'permit', 'specify', 'address}.']
Original Request: A copy of all reports on the building and plumbing inspections for Forbes Dental Clinic located at {a specified address}, as well as records on the contractor Apostolos Haitas.
Tokens prepared for LDA: ['report', 'build', 'plumb', 'inspection', 'forbes', 'dental', 'clinic', 'locate', 'specify', 'address', 'record', 'contractor', 'apostolos', 'haitas']
Original Request: A copy of all building records available for {a specified address}, Etobicoke.
Tokens prepared for LDA: ['build', 'record', 'available', 'specify', 'address', 'etobicoke']
Original Request: A copy of all building records available for {a specified address}, Toronto.
Tokens prepared for LDA: ['build', 'record', 'available', 'specify', 'address', 'toronto']
Original Request: A copy of the fire incident report for {a specified address}, Toronto. The incident number is FR-2001-069033.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address', 'toronto', 'incident', 'fr-2001', '069033']
Original Request: A copy of the all fire code charges and violations for {a specified address}. The charges were laid on June 23, 2011.
Tokens prepared for LDA: ['charge', 'violation', 'specify', 'address}.', 'charge']
Original Request: A copy of all building records including building permit information for {a specified address} from 1987 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'build', 'permit', 'information', 'specify', 'address', 'present']
Original Request: A copy of all building records including building permit information for {a specified address} from 2002 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'build', 'permit', 'information', 'specify', 'address', 'present']
Original Request: A copy of all building records including building permit information for {a specified address} from 2002 to present.
Tokens prepared for LDA: ['build', 'record', 'include', 'build', 'permit', 'information', 'specify', 'address', 'present']
Original Request: A copy of any updates or additions to the reports resulting from the fire inspections of {a specified address}, Toronto. This is an update from FOI #2011-00773.
Tokens prepared for LDA: ['update', 'addition', 'report', 'result', 'inspection', 'specify', 'address', 'toronto', 'update', '00773']
Original Request: A list showing the number of tickets issued for parking illegally at {a specified address}. Also indicate if the parking enforcement officer wrote "Bloor Street" or "Bloor Ste". Include all numbers for 2008, 2009, and 2010.
Tokens prepared for LDA: ['ticket', 'issue', 'illegally', 'specify', 'address}.', 'indicate', 'enforcement', 'officer', 'write', 'bloor', 'street', 'bloor', 'include', 'number']
Original Request: A copy of the occurrence report filed by EMS regarding the slip and fall incident at the intersection of St. Clair Avenue West and Earlscourt Avenue, Toronto. The incident occurred on July 26, 2006.
Tokens prepared for LDA: ['occurrence', 'report', 'regard', 'incident', 'intersection', 'clair', 'avenue', 'earlscourt', 'avenue', 'toronto', 'incident', 'occur']
Original Request: A copy of all records for {a specified address} from 2006 to present, including drawings, permits and Committee of Adjustment decisions.
Tokens prepared for LDA: ['record', 'specify', 'address', 'present', 'include', 'drawing', 'permit', 'committee', 'adjustment', 'decision']
Original Request: A copy of the permit # 10 105684 for {a specified address} which was closed on May 26, 2011. Also all interior and exterior final inspections.
Tokens prepared for LDA: ['permit', '105684', 'specify', 'address', 'close', 'interior', 'exterior', 'final', 'inspection']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred during the first week of May, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the plumbing and piping drawings of the building at {a specified address} and all MVAC drawings of {a specified address}.
Tokens prepared for LDA: ['plumb', 'drawing', 'build', 'specify', 'address', 'drawing', 'specify', 'address}.']
Original Request: A copy of all noise exemption permits issued in 2011 to the following two organizations: {San Lorenzo Latin American Community Centre at {a specified address} and {San Loremzo Church at {a specified address}.
Tokens prepared for LDA: ['noise', 'exemption', 'permit', 'issue', 'follow', 'organization', 'lorenzo', 'latin', 'american', 'community', 'centre', 'specify', 'address', 'loremzo', 'church', 'specify', 'address}.']
Original Request: A copy of the complaint submitted to ML&S and the resulting inspection report for {a specified address}. The inspection was completed in August 2011.
Tokens prepared for LDA: ['complaint', 'submit', 'result', 'inspection', 'report', 'specify', 'address}.', 'inspection', 'complete', 'august']
Original Request: A copy of all sewer pipe reports for {a specified address} including the August report regarding the sewer pipe connections.
Tokens prepared for LDA: ['sewer', 'report', 'specify', 'address', 'include', 'august', 'report', 'regard', 'sewer', 'connection']
Original Request: A copy of all building plans, drawings and permits for {a specified address}. All records on file for the past 10 years.
Tokens prepared for LDA: ['build', 'drawing', 'permit', 'specify', 'address}.', 'record']
Original Request: A copy of all work and/or repair orders issued to 970113 Ontario Inc. or {an individual} regarding {a specified address}, Etobicoke. All records for the past 5 years.
Tokens prepared for LDA: ['and/or', 'repair', 'order', 'issue', '970113', 'ontario', 'individual', 'regard', 'specify', 'address', 'etobicoke', 'record']
Original Request: A copy of the fire inspection report for {a specified address}.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address}.']
Original Request: A copy of records pertaining to the current building permit for {a specified address}, including all zoning and code issues that are delaying this permit.
Tokens prepared for LDA: ['record', 'pertain', 'current', 'build', 'permit', 'specify', 'address', 'include', 'issue', 'delay', 'permit']
Original Request: A copy of records pertaining to the current building permit for {a specified address}, including all zoning and code issues that are delaying this permit.
Tokens prepared for LDA: ['record', 'pertain', 'current', 'build', 'permit', 'specify', 'address', 'include', 'issue', 'delay', 'permit']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident date is unknown.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'unknown']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on March 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the building drawings and HVAC permits for {a specified address},
Tokens prepared for LDA: ['build', 'drawing', 'permit', 'specify', 'address']
Original Request: A copy of all records from Toronto Water for {a specified address}, Scarborough, including maintenance repairs records, upgrade records, servicing records and records involving capacity and design.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'specify', 'address', 'scarborough', 'include', 'maintenance', 'repair', 'record', 'upgrade', 'record', 'service', 'record', 'record', 'involve', 'capacity', 'design']
Original Request: A copy of all reports, inspection records, correspondence, complaints, recommendations, materials, documents and other records pertaining to {a specified address}.
Tokens prepared for LDA: ['report', 'inspection', 'record', 'correspondence', 'complaint', 'recommendation', 'material', 'document', 'record', 'pertain', 'specify', 'address}.']
Original Request: A copy of all building permits and documents from 1988 to present for {a specified address} including all drawings, plans, drawings, and engineering reports. Also any documents relating to Toronto Water issues with the property.
Tokens prepared for LDA: ['build', 'permit', 'document', 'present', 'specify', 'address', 'include', 'drawing', 'drawing', 'engineer', 'report', 'document', 'relate', 'toronto', 'water', 'issue', 'property']
Original Request: A copy of all Public Health and ML&S inspection reports for {a specified address} from 2006 to present, including inspections resulting from the complaints by the requester from March 2011 until August 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'specify', 'address', 'present', 'include', 'inspection', 'result', 'complaint', 'requester', 'march', 'august']
Original Request: A copy of the building inspection reports and permits for {a specified address}, including permit numbers {10-147979 or 10-191411}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit', 'specify', 'address', 'include', 'permit', 'number', '147979', '191411}.']
Original Request: A copy of the Palais Royale lease,.
Tokens prepared for LDA: ['palais', 'royale', 'lease']
Original Request: A copy of the reports of the rink census tallies for all City of Toronto outdoor artificial ice rinks. The reports should be serarated by individual rink and for the rink seasons 2008/09, 2009/10, and 2010/11.
Tokens prepared for LDA: ['report', 'census', 'tally', 'toronto', 'outdoor', 'artificial', 'report', 'serarated', 'individual', 'season', '2008/09', '2009/10', '2010/11']
Original Request: A copy of the winning proponent's proposal for the City's Renewable Energy Study (Phase 1) RFP #9119-11-7031 and the City's Direct Energy Study (Phase 2) RFP #9199-11-7128.
Tokens prepared for LDA: ['proponent', 'proposal', 'renewable', 'energy', 'study', 'phase', 'direct', 'energy', 'study', 'phase']
Original Request: A copy of all documents relating to the inspections at {a specified address} since October 2009, including notes, correspondence, orders and any other documents.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'specify', 'address', 'october', 'include', 'correspondence', 'order', 'document']
Original Request: A copy of any records pertaining to the personal employment of {former employee's name}. He was issued a Roadway Inspectors badge on December 11, 1913 and was associated with the department of Public Works.
Tokens prepared for LDA: ['record', 'pertain', 'personal', 'employment', 'employee', 'name}.', 'issue', 'roadway', 'inspector', 'badge', 'december', 'associate', 'department', 'public', 'works']
Original Request: A list of how many part-time recreation staff were hired for PFR between April 1 and August 1 in 2009, 2010, and 2011.
Tokens prepared for LDA: ['recreation', 'staff', 'april', 'august']
Original Request: A copy of records relating to the street lamps located at Rushton Road and Humewood Gardens. Including operation records and maintenance records from November 2010.
Tokens prepared for LDA: ['record', 'relate', 'street', 'locate', 'rushton', 'humewood', 'garden', 'include', 'operation', 'record', 'maintenance', 'record', 'november']
Original Request: A copy of any building or ML&S records that identify {a specified address} as ever being a growing house.
Tokens prepared for LDA: ['build', 'record', 'identify', 'specify', 'address', 'house']
Original Request: A copy of all building inspection reports and photos for {a specified address}, including reports and photos from the zoning file.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'photo', 'specify', 'address', 'include', 'report', 'photo']
Original Request: A copy of the City of Toronto contract with Astral Media.
Tokens prepared for LDA: ['toronto', 'contract', 'astral', 'medium']
Original Request: A copy of the fire report for a roof incident that occurred at {several specified addresses}. The incident occurred on February 18, 2011 and the roof of the plaza blew off in a wind storm.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'specify', 'addresses}.', 'incident', 'occur', 'february', 'plaza', 'storm']
Original Request: A copy of the fire report for the motor vehicle accident {in the westbound collector lanes of the 401 just before the Kennedy Road exit}. The incident occurred on September 5, 2008.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'westbound', 'collector', 'kennedy', 'exit}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 3, 2011 at 6:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of the Roundhouse leases with Steam Whistle and Leons.
Tokens prepared for LDA: ['roundhouse', 'lease', 'steam', 'whistle', 'leon']
Original Request: A copy of the lease agreement between the City and Centennial College regarding the Guild (or proposal).
Tokens prepared for LDA: ['lease', 'agreement', 'centennial', 'college', 'regard', 'guild', 'proposal']
Original Request: A copy of the building complaints and reports for {a specified address}. The complaints were accepted by Toronto Building on July 13, 2011 and subsequent reports may have been created.
Tokens prepared for LDA: ['build', 'complaint', 'report', 'specify', 'address}.', 'complaint', 'accept', 'toronto', 'building', 'subsequent', 'report', 'create']
Original Request: A copy of Toronto Water records for {a specified address}, Scarborough, for repairs to the main drain line. Including any records relating to the sewer water incident on March 11, 2011.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'specify', 'address', 'scarborough', 'repair', 'drain', 'include', 'record', 'relate', 'sewer', 'water', 'incident', 'march']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 23, 2011. Include additional records such as statements, diagrams, witness information & identities, dispatch and call reports, etc.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'include', 'additional', 'record', 'statement', 'diagram', 'witness', 'information', 'identity', 'dispatch', 'report']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on December 11, 2010. Include additional information if available.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'december', 'include', 'additional', 'information', 'available']
Original Request: A copy of the building documents for {a specified address}, including file numbers 34451 (55) and 79321 (64).
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'number', '34451', '79321']
Original Request: A copy of the building records for {a specified address}, including copies of all permits and documents. File Numbers 339701, 379331, and 06-156004.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'permit', 'document', 'numbers', '339701', '379331', '156004']
Original Request: A copy of the building inspection report, notes, and file for the construction at {a specified address} beginning 1988.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'construction', 'specify', 'address', 'begin']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on August 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on September 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on September 5, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'september']
Original Request: A copy of the ML&S file #10-183182IR for {a specified address}, Scarborough.
Tokens prepared for LDA: ['183182ir', 'specify', 'address', 'scarborough']
Original Request: A copy of building documents for {a specified address}, Toronto. Including records related to building permit #00-141-753 issued May 31, 2000 and all building examiner notes.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'toronto', 'include', 'record', 'relate', 'build', 'permit', 'issue', 'build', 'examiner']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 14, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of complaint and any other related documents relating to a foreign object found in the food purchased by {an individual} at Mucho Burrito, {a specified address} 2011.
Tokens prepared for LDA: ['complaint', 'relate', 'document', 'relate', 'foreign', 'object', 'purchase', 'individual', 'mucho', 'burrito', 'specify', 'address']
Original Request: A copy of all taxi cab information for {an individual} including all vehicle information and ownership information.
Tokens prepared for LDA: ['information', 'individual', 'include', 'vehicle', 'information', 'ownership', 'information']
Original Request: A copy of all inspection records for {a specified address} from 2008 and 2009.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address']
Original Request: A copy of all inspection records for {a specified address} from 2008 and 2009.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address']
Original Request: A copy of all inspection records for {a specified address} from 2008 and 2009.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address']
Original Request: A copy of the building inspector's notes, building permit applications, committee of adjustment applications, permits, and correspondence for {a specified address}. Records from February 15, 2008 to March 20, 2009.
Tokens prepared for LDA: ['build', 'inspector', 'build', 'permit', 'application', 'committee', 'adjustment', 'application', 'permit', 'correspondence', 'specify', 'address}.', 'record', 'february', 'march']
Original Request: A copy of all outstanding work orders for {a specified address}, Scarborough.
Tokens prepared for LDA: ['outstanding', 'order', 'specify', 'address', 'scarborough']
Original Request: A copy of the storm management report for {a specified address}, North York.
Tokens prepared for LDA: ['storm', 'management', 'report', 'specify', 'address', 'north']
Original Request: A copy of information regarding the tower renewal program and the detailed budgets on an annual basis since inception. Also the number of staff, salaries, and number of projects in process and completed.
Tokens prepared for LDA: ['information', 'regard', 'tower', 'renewal', 'program', 'budget', 'annual', 'basis', 'inception', 'staff', 'salary', 'project', 'process', 'complete']
Original Request: A copy of the road work records for the intersection at Lawrence Avenue and Curlew Drive. The road work was completed around July 6, 2010. Specifically any records showing the left lane being closed.
Tokens prepared for LDA: ['record', 'intersection', 'lawrence', 'avenue', 'curlew', 'drive', 'complete', 'specifically', 'record', 'leave', 'close']
Original Request: A copy of the fire report for {a specified address}. The incident ocurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'ocurred']
Original Request: A copy of all purchase orders for goods & services and associated invoices where a member of the Mayor's Office staff has provided one or both authorizing signatures. All orders/invoices from December 1, 2010 to present.
Tokens prepared for LDA: ['purchase', 'order', 'service', 'associate', 'invoice', 'member', 'mayor', 'office', 'staff', 'provide', 'authorize', 'signature', 'order', 'invoice', 'december', 'present']
Original Request: A copy of building records relating to the history of {a specified address}, Toronto.
Tokens prepared for LDA: ['build', 'record', 'relate', 'history', 'specify', 'address', 'toronto']
Original Request: a copy of any inspection records from ML&S and Building relating to {a specified address}, Scarborough.
Tokens prepared for LDA: ['inspection', 'record', 'building', 'relate', 'specify', 'address', 'scarborough']
Original Request: An electronic copy of the summary sheets, containing as much itemized details as possible, with respect to taxi plate sales in Toronto from 2003 to present.
Tokens prepared for LDA: ['electronic', 'summary', 'sheet', 'contain', 'itemize', 'possible', 'respect', 'plate', 'toronto', 'present']
Original Request: A copy of the history report and copies of all building permits issued to {a specified address} as far back as 1930 . Also any written letters and documents on file (including archived records).
Tokens prepared for LDA: ['history', 'report', 'build', 'permit', 'issue', 'specify', 'address', 'write', 'letter', 'document', 'include', 'archive', 'record']
Original Request: An electronic copy of the Dufferin Grove Park part-time recreation staff cost totals, week by week, as stated in SAP from Sept. 27, 2010 to Sept. 26, 2011. Also the same for Wallace and Campbell part-time recreation staff from Dec. 2010 to March 2011.
Tokens prepared for LDA: ['electronic', 'dufferin', 'grove', 'recreation', 'staff', 'total', 'state', 'september', 'september', 'wallace', 'campbell', 'recreation', 'staff', 'december', 'march']
Original Request: A copy of all invoices for tax and orders paid for {a specified address}.
Tokens prepared for LDA: ['invoice', 'order', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on March 26, 2011. Also any additional notes pertaining to the incident.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', 'additional', 'pertain', 'incident']
Original Request: A copy of the fire report for Woodbine Racetrack, 555 Rexdale Boulevard. The incident occurred in 2002.
Tokens prepared for LDA: ['report', 'woodbine', 'racetrack', 'rexdale', 'boulevard', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on September 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred in 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on Oct. 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on September 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'september']
Original Request: A copy of the plans and drawings for {a specified address}, specifically the plans of the front and side (exterior) and records showing the materials being used on the front and side of the property/building.
Tokens prepared for LDA: ['drawing', 'specify', 'address', 'specifically', 'exterior', 'record', 'material', 'property', 'build']
Original Request: A copy of the Public Health and ML&S files for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'specify', 'address}.']
Original Request: A copy of the application for a planned severance of {a specified address}. The application # 11269944 was submitted on September 7, 2011. Also a copy of the notice sent by the City of Toronto in October 2011.
Tokens prepared for LDA: ['application', 'severance', 'specify', 'address}.', 'application', '11269944', 'submit', 'september', 'notice', 'toronto', 'october']
Original Request: A copy of all building documents for {a specified address} from 1890 to present, including building documents 1974 026851 BLD11-063627, 1984 023124 BLD00-213920, and 1999 014111 BLD00-423207.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'present', 'include', 'build', 'document', '026851', 'bld11', '063627', '023124', 'bld00', '213920', '014111', 'bld00', '423207']
Original Request: A copy of the building file # 00-335188 for {a specified address} and the fire inspection record from 2000.
Tokens prepared for LDA: ['build', '335188', 'specify', 'address', 'inspection', 'record']
Original Request: A copy of all records relating to the sewer back up on Adriatic Road from August 2011 to present, including but not limited to the work orders 592953, 1124403, and 1125284.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'adriatic', 'august', 'present', 'include', 'limit', 'order', '592953', '1124403', '1125284']
Original Request: A copy of all records, staff files, correspondence and inspection reports from ML&S and building regarding {a specified address}. All records from 2005 to present.
Tokens prepared for LDA: ['record', 'staff', 'correspondence', 'inspection', 'report', 'build', 'regard', 'specify', 'address}.', 'record', 'present']
Original Request: A copy of all notes on record regarding a dog attack incident by the dogs at {a specified address} on July 2, 2011, including all actions taken by Animal Services to remedy the situation and all letters and warnings sent out.
Tokens prepared for LDA: ['record', 'regard', 'attack', 'incident', 'specify', 'address', 'include', 'action', 'animal', 'services', 'remedy', 'situation', 'letter', 'warning']
Original Request: Archival records on Don Valley parkway and the role of the Metro government, and Metro Chair FrederickGardiner in its planning and implementation.
Tokens prepared for LDA: ['archival', 'record', 'valley', 'parkway', 'metro', 'government', 'metro', 'chair', 'frederickgardiner', 'implementation']
Original Request: A copy of a daily tally of the number of calls (1) the Mayor's office received from members of the public and (2) number of those calls returned by the Mayor himself from Dec.1, 2010 to Sept. 30, 2011.
Tokens prepared for LDA: ['daily', 'tally', 'mayor', 'office', 'receive', 'member', 'public', 'return', 'mayor', 'dec.1', 'september']
Original Request: A copy of records of communications between any staff in the office of the Mayor, including the Mayor, and the Chief Librarian of the Toronto Public Library from Feb.1, 2011 to Oct. 13, 2011.
Tokens prepared for LDA: ['record', 'communication', 'staff', 'office', 'mayor', 'include', 'mayor', 'chief', 'librarian', 'toronto', 'public', 'library', 'feb.1', 'october']
Original Request: A copy of building applications for {a specified address}, Scarborough with the file numbers are 97-008575 Sp, 99-008442 SP, 99-008344 SP, as well as any sign application.
Tokens prepared for LDA: ['build', 'application', 'specify', 'address', 'scarborough', 'number', '008575', '008442', '008344', 'application']
Original Request: A copy of any documents, applications or permits for {a specified address}, Scarborough, from Toronto Building.
Tokens prepared for LDA: ['document', 'application', 'permit', 'specify', 'address', 'scarborough', 'toronto', 'building']
Original Request: A breakdown of City of Toronto employees by age, by division / ABC. Please provide information in Excel format
Tokens prepared for LDA: ['breakdown', 'toronto', 'employee', 'division', 'provide', 'information', 'excel', 'format']
Original Request: A copy of any records related to the use of road salt / salt brine by the City at Dundas St. East and Don Valley Parkway on January 7, 2011 at or about 8.00 am.
Tokens prepared for LDA: ['record', 'relate', 'brine', 'dundas', 'valley', 'parkway', 'january']
Original Request: A copy of all inspection, investigation reports from Toronto Building, ML&S and Public Health relating to {a specified address}. The search should go as far back as possible, or at least for the past 5 years.
Tokens prepared for LDA: ['inspection', 'investigation', 'report', 'toronto', 'building', 'public', 'health', 'relate', 'specify', 'address}.', 'search', 'possible', 'little']
Original Request: A copy of building permit, inspectors' notes and progress report from Plan Examiners for the permit # 312687 for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'inspector', 'progress', 'report', 'examiner', 'permit', '312687', 'specify', 'address}.']
Original Request: A copy of 311 call records for # 3914118 and #773238. The calls were made by {an individual} on Oct. 29, 2010 and Nov. 1, 2010 to 311. The calls related to {two specified addresses}
Tokens prepared for LDA: ['record', '3914118', '773238', 'individual', 'october', 'november', 'relate', 'specify', 'address']
Original Request: All information relating to the main-sewer back up on Trestleside Grove Trail on May 7, 2010. (please see original request for details).
Tokens prepared for LDA: ['information', 'relate', 'sewer', 'trestleside', 'grove', 'trail', 'original', 'request']
Original Request: A copy of the RESCU camera footage for the location at Lakeshore Blvd. and Parliament St. on Sept. 29, 2011 between 8.10 pm and 8.25 pm.
Tokens prepared for LDA: ['rescu', 'camera', 'footage', 'location', 'lakeshore', 'parliament', 'september']
Original Request: Information on all cyclist's inflicted pedestrian injuries on Toronto sidewalks that Toronto EMS responded to and treated in the past 15 years. Please include location, age, sex, types of injuries, killed and pronounced on scene or at hospital ER.
Tokens prepared for LDA: ['information', 'cyclist', 'inflict', 'pedestrian', 'injury', 'toronto', 'sidewalk', 'toronto', 'respond', 'treat', 'include', 'location', 'injury', 'pronounce', 'scene', 'hospital']
Original Request: A copy of all documents relating to {a specified address}, specifically in reference to all signage and permits for signage.
Tokens prepared for LDA: ['document', 'relate', 'specify', 'address', 'specifically', 'reference', 'signage', 'permit', 'signage']
Original Request: A copy of complete fire incident report including all reports, videos, photographs and handwritten notes for the incident that occurred on January 13, 2005 at the Finch Subway Station (Bishop Entrance).
Tokens prepared for LDA: ['complete', 'incident', 'report', 'include', 'report', 'video', 'photograph', 'handwritten', 'incident', 'occur', 'january', 'finch', 'subway', 'station', 'bishop', 'entrance']
Original Request: A copy of the fire report for {a specified address}, Toronto. The roof fire occurred on August 28, 2011. Fire Incident No. F11099349.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'occur', 'august', 'incident', 'f11099349']
Original Request: A copy of ML&S file # 11262770 relating to {a specified address} on backyard cedars issues, as well as Paula Thomas' inspection notes on the resolution of complaint by neighbour.
Tokens prepared for LDA: ['11262770', 'relate', 'specify', 'address', 'backyard', 'cedar', 'issue', 'paula', 'thomas', 'inspection', 'resolution', 'complaint', 'neighbour']
Original Request: A copy of Public Health inspector's report from David Tucci for {a specified address}. The report was completed on October 11, 2011.
Tokens prepared for LDA: ['public', 'health', 'inspector', 'report', 'david', 'tucci', 'specify', 'address}.', 'report', 'complete', 'october']
Original Request: A copy of all records and correspondence relating to obstructions on walkways or paths in the Cedarvale and Nordheimer Ravines from April 2007 to April 2010.
Tokens prepared for LDA: ['record', 'correspondence', 'relate', 'obstruction', 'walkway', 'cedarvale', 'nordheimer', 'ravine', 'april', 'april']
Original Request: A copy of fire incident report for {a specified address}. The incident occurred on June 30, 2011.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of fire report for {a specified address}, Toronto. The incident occurred on January 8, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'january']
Original Request: A copy of building permit application for # 11-97997 for {a specified address}, and admin permit for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'application', '97997', 'specify', 'address', 'admin', 'permit', 'specify', 'address}.']
Original Request: A copy of all notes, forms, applications, plans, correspondence relating to building permit # 04165200 for {a specified address}, Scarborough.
Tokens prepared for LDA: ['application', 'correspondence', 'relate', 'build', 'permit', '04165200', 'specify', 'address', 'scarborough']
Original Request: A copy of building permit file $11-197-996 for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.']
Original Request: A copy of all correspondence and reports regarding mould at {a specified address}, specifically involving Samual Lambert (Public Health Inspector) and {an individual}. All records from August 3 to present.
Tokens prepared for LDA: ['correspondence', 'report', 'regard', 'mould', 'specify', 'address', 'specifically', 'involve', 'samual', 'lambert', 'public', 'health', 'inspector', 'individual}.', 'record', 'august', 'present']
Original Request: A copy of all building records for {a specified address} including records relating to construction, land use, permits and changes or updates to the property. Also records confirming when the property and garage was built.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'record', 'relate', 'construction', 'permit', 'change', 'update', 'property', 'record', 'confirm', 'property', 'garage', 'build']
Original Request: A copy of the red light camera footage involving a motor vehicle accident at the intersection of Keele Street and Lawrence Avenue West. The incident occurred on March 13, 2011 between 12:23 a.m. and 12:43 a.m.
Tokens prepared for LDA: ['light', 'camera', 'footage', 'involve', 'motor', 'vehicle', 'accident', 'intersection', 'keele', 'street', 'lawrence', 'avenue', 'incident', 'occur', 'march', '12:23', '12:43']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on September 18, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the arborist report for a Silver Maple tree located at {a specified address}. The report was from October or November 2007. Also include all comments and reports from {a specified address} pertaining to the tree.
Tokens prepared for LDA: ['arborist', 'report', 'silver', 'maple', 'locate', 'specify', 'address}.', 'report', 'october', 'november', 'include', 'comment', 'report', 'specify', 'address', 'pertain']
Original Request: Information on how much the City is paying {an individual}, the lawyer of {a named company} to assist in settling {an individual's} legal fees with the City.
Tokens prepared for LDA: ['information', 'individual', 'lawyer', 'company', 'assist', 'settle', 'individual', 'legal']
Original Request: A copy of all building permits related documents for {a specified address}
Tokens prepared for LDA: ['build', 'permit', 'relate', 'document', 'specify', 'address']
Original Request: A copy of all records of notices and violations from 2000 to 2011 for {a specified address}, Scarborough.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'specify', 'address', 'scarborough']
Original Request: A copy of all records relating to the sewer main at {a specified address} from 1980 to present, including all records relating to the sewer back up on or about August 9, 2011.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'specify', 'address', 'present', 'include', 'record', 'relate', 'sewer', 'august']
Original Request: A copy of all records relating to the sewer main at {a specified address} from 1980 to present, including all records relating to the sewer back up on or about October 15, 2010.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'specify', 'address', 'present', 'include', 'record', 'relate', 'sewer', 'october']
Original Request: A copy of any reports, notes, and documents from Toronto Building or Committee of Adjustment regarding either {a specified address}, file A0675/10NY or file A0041/10NY. Including any complaints, electronic mails and call records.
Tokens prepared for LDA: ['report', 'document', 'toronto', 'building', 'committee', 'adjustment', 'regard', 'specify', 'address', 'a0675/10ny', 'a0041/10ny', 'include', 'complaint', 'electronic', 'record']
Original Request: A copy of any final review letters for the restaurant located at {a specified address}, Toronto. Including any inspections and permits.
Tokens prepared for LDA: ['final', 'review', 'letter', 'restaurant', 'locate', 'specify', 'address', 'toronto', 'include', 'inspection', 'permit']
Original Request: A copy of all records, drawings, plans surveys, drain plans, and any additional information relating to the old pumping station on Barber Greene Road.
Tokens prepared for LDA: ['record', 'drawing', 'survey', 'drain', 'additional', 'information', 'relate', 'station', 'barber', 'greene']
Original Request: A copy of the sewer service line blockage report from October 13, 2011. The work order # 1224040.
Tokens prepared for LDA: ['sewer', 'service', 'blockage', 'report', 'october', 'order', '1224040']
Original Request: A copy of the fire report for the garage fire that occurred at {a specified address}, Toronto. The incident occurred on June 20, 2010.
Tokens prepared for LDA: ['report', 'garage', 'occur', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for the motor vehicle accident. The accident occurred on December 2, 2009. Fire report no. F09135931.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'accident', 'occur', 'december', 'report', 'f09135931']
Original Request: A copy of the fire report for the fire at Pharmacy and Collingsworth, Scarborough. The incident occurred on October 10, 2011. Fire Report No. F11132767.
Tokens prepared for LDA: ['report', 'pharmacy', 'collingsworth', 'scarborough', 'incident', 'occur', 'october', 'report', 'f11132767']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on August 19, 2011. Fire Report No. F11095392.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august', 'report', 'f11095392']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for the motor vehicle accident that occurred in the Sunnybrook Park's parking lot (south on Leslie Street). The incident occurred on July 5, 2009. Also a copy of the call record.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'sunnybrook', 'south', 'leslie', 'street', 'incident', 'occur', 'record']
Original Request: A copy of any records relating to issues at {a specified address}, such as orders or issues with the property.
Tokens prepared for LDA: ['record', 'relate', 'issue', 'specify', 'address', 'order', 'issue', 'property']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of all investigation and inspection records for {a specified address}, including records from ML&S and Fire Services.
Tokens prepared for LDA: ['investigation', 'inspection', 'record', 'specify', 'address', 'include', 'record', 'services']
Original Request: A copy of the building file for {a specified address}. The file number is 07-278875 Bld.
Tokens prepared for LDA: ['build', 'specify', 'address}.', '278875']
Original Request: A copy of the authorization form signed by the homeowner of {a specified address}on October 23, 2011. This authorization was submitted to Toronto Building.
Tokens prepared for LDA: ['authorization', 'homeowner', 'specify', 'address}on', 'october', 'authorization', 'submit', 'toronto', 'building']
Original Request: A copy of all records for {a specified address} including video footage on Oct. 18, 2011, work orders # 534011, all service request and diagnostic reports, notes, communications, correspondence on file from Toronto Water.
Tokens prepared for LDA: ['record', 'specify', 'address', 'include', 'video', 'footage', 'october', 'order', '534011', 'service', 'request', 'diagnostic', 'report', 'communication', 'correspondence', 'toronto', 'water']
Original Request: Any records relating to the destruction of the naturalized area on the eastern slope of Riverdale Park East. The destruction occurred in late August Sept. 2011 alleged by the Natural Environment and Community Programs section of PFR.
Tokens prepared for LDA: ['record', 'relate', 'destruction', 'naturalize', 'eastern', 'slope', 'riverdale', 'destruction', 'occur', 'august', 'september', 'allege', 'natural', 'environment', 'community', 'program', 'section']
Original Request: A copy of building documents for {a specified address} as far back as 1930.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address']
Original Request: A copy of all building documents for {a specified address} as far back as 1930.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address']
Original Request: A copy of all records from ML&S and Park's Forestry and Recreation relating to {a specified address}. Records to include photos, inspection reports, staff notes, e:mail messages, voice mail messages.
Tokens prepared for LDA: ['record', 'forestry', 'recreation', 'relate', 'specify', 'address}.', 'record', 'include', 'photo', 'inspection', 'report', 'staff', 'message', 'voice', 'message']
Original Request: All records pertaining to the history and conditioning of the tree located at {a specified address}, full history to September 27, 2010
Tokens prepared for LDA: ['record', 'pertain', 'history', 'condition', 'locate', 'specify', 'address', 'history', 'september']
Original Request: A copy of all fire records, including notices of violations, orders issued, letters of compliance, inspectors' notes, chronology records and any other communication records before Dec. 31, 2010 relating to {a specified address}.
Tokens prepared for LDA: ['record', 'include', 'notice', 'violation', 'order', 'issue', 'letter', 'compliance', 'inspector', 'chronology', 'record', 'communication', 'record', 'december', 'relate', 'specify', 'address}.']
Original Request: Information on the complainaints who filed complaints against owner of {a specified address} since March 2011 to present.
Tokens prepared for LDA: ['information', 'complainaints', 'complaint', 'owner', 'specify', 'address', 'march', 'present']
Original Request: Report from Transportation relating to the incident that occurred on Oct. 6, 2011 when a car smashed into a hydro pole in front of 2362 Finch Ave.West (a restaurant called MacDonald) cutting the power for 24 hours.
Tokens prepared for LDA: ['report', 'transportation', 'relate', 'incident', 'occur', 'october', 'smash', 'hydro', 'finch', 'restaurant', 'macdonald', 'power']
Original Request: Any and all communications from ML&S and 311 relating to property standards matters on {three specified addresses} from Jan. 2008 to present.
Tokens prepared for LDA: ['communication', 'relate', 'property', 'standard', 'matter', 'specify', 'address', 'january', 'present']
Original Request: Communications including e:mails involving councillor/TTC Chair A. Giambrone, ex-Mayor Miller and the TTC regarding the suitability ofthe TPA's Ashbridge's Bay lands for a streetcar maintenance storage facility.
Tokens prepared for LDA: ['communications', 'include', 'involve', 'councillor', 'chair', 'giambrone', 'mayor', 'miller', 'regard', 'suitability', 'ofthe', 'ashbridge', 'streetcar', 'maintenance', 'storage', 'facility']
Original Request: A copy of fire report for {a specified address}, Toronto. The incident occured on Oct. 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the documents with respect to {a specified address} requesting that the grass be cut. The letters were sent out in the summer of 2009.
Tokens prepared for LDA: ['document', 'respect', 'specify', 'address', 'request', 'grass', 'letter', 'summer']
Original Request: A copy of the heat loss and heat gain for {a specified address}, Etobicoke.
Tokens prepared for LDA: ['specify', 'address', 'etobicoke']
Original Request: A copy of the Toronto Water report with respect to a sewer back up in the basement of {a specified address} on August 25, 2011.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'respect', 'sewer', 'basement', 'specify', 'address', 'august']
Original Request: A copy of all correspondence between Mayor Ford and KPMG, Councillor Ainslie, and Toronto Police Chief, also all correspondence between members of Budget Committee. All records from Dec. 2, 2010 to Oct. 18, 2011 relating to Toronto's budget.
Tokens prepared for LDA: ['correspondence', 'mayor', 'councillor', 'ainslie', 'toronto', 'police', 'chief', 'correspondence', 'member', 'budget', 'committee', 'record', 'december', 'october', 'relate', 'toronto', 'budget']
Original Request: A copy of all emails sent by Rob Ford's chief of staff and policy advisor from October 21 to 31, 2011.
Tokens prepared for LDA: ['email', 'chief', 'staff', 'policy', 'advisor', 'october']
Original Request: A copy of all Mayor Ford's daily itineraries from July 7, 2011 to present, including printed documents and/or computer calendar documents. Also a list kept by the Mayor's Office staff of the mayor's meeting partners.
Tokens prepared for LDA: ['mayor', 'daily', 'itinerary', 'present', 'include', 'print', 'document', 'and/or', 'computer', 'calendar', 'document', 'mayor', 'office', 'staff', 'mayor', 'partner']
Original Request: All emails sent between Oct. 17 and Nov. 2, 2011 to or from any GFL Environmental East Corporation of Pickering representative to or from {two individuals}. Also any emails to or from {two individuals} with the term "GFL".
Tokens prepared for LDA: ['email', 'october', 'november', 'environmental', 'corporation', 'pickering', 'representative', 'individuals}.', 'email', 'individual']
Original Request: A copy of fire incident report for {a specified address}. Incident # F11131606.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'f11131606']
Original Request: A copy of the complaint record relating to garbage at {a specified address} (Mike Wholesale Meat Ltd.) from October 2011.
Tokens prepared for LDA: ['complaint', 'record', 'relate', 'garbage', 'specify', 'address', 'wholesale', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on Oct. 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of any incident, inspection, or complaint records relating to {a specified address} or surrounding area, including any work completed from Oct. 21, 2010 to present, documents relating to safety, and/or documents relating to a tree stub.
Tokens prepared for LDA: ['incident', 'inspection', 'complaint', 'record', 'relate', 'specify', 'address', 'surround', 'include', 'complete', 'october', 'present', 'document', 'relate', 'safety', 'and/or', 'document', 'relate']
Original Request: A copy of the public health report and any pictures on file for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'report', 'picture', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on September 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on August 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of all records relating to {a specified address}, including permits, drawings, plans, reports, inspections, investigations, statements, correspondence, complaints, etc. Specifically any records regarding any construction and renovations.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'permit', 'drawing', 'report', 'inspection', 'investigation', 'statement', 'correspondence', 'complaint', 'specifically', 'record', 'regard', 'construction', 'renovation']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on March 6, 2009. Please include all additional records including photographs, notes, reports, call records, ect.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march', 'include', 'additional', 'record', 'include', 'photograph', 'report', 'record']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for the parking garage B1 level at {a specified address}, Toronto. The incident occurred on October 13, 2011. Fire Report No. F11133809.
Tokens prepared for LDA: ['report', 'garage', 'level', 'specify', 'address', 'toronto', 'incident', 'occur', 'october', 'report', 'f11133809']
Original Request: A copy of all inspections, approvals, and permit issuance documentation for the Starbucks at {a specified address} from 1996 to present. Including all documents related to the following permits: 393195, 394478, and 394480.
Tokens prepared for LDA: ['inspection', 'approval', 'permit', 'issuance', 'documentation', 'starbucks', 'specify', 'address', 'present', 'include', 'document', 'relate', 'follow', 'permit', '393195', '394478', '394480']
Original Request: A copy of all Public Health reports for {a specified address}, specifically from September 2011.
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address', 'specifically', 'september']
Original Request: A copy of all records relating to the encroachment application originally filed in May 2009 for {a specified address}. Including all follow up reports and investigations to date with respect to this address.
Tokens prepared for LDA: ['record', 'relate', 'encroachment', 'application', 'originally', 'specify', 'address}.', 'include', 'follow', 'report', 'investigation', 'respect', 'address']
Original Request: A copy of the documentation used to prove the Mayor's Office sought competitive bids for the printing contract of business cards, including the names of the companies who provided bids.
Tokens prepared for LDA: ['documentation', 'prove', 'mayor', 'office', 'competitive', 'print', 'contract', 'business', 'include', 'company', 'provide']
Original Request: A copy of Mayor Ford's daily schedule from February 1, 2011 to Oct. 31, 2011.
Tokens prepared for LDA: ['mayor', 'daily', 'schedule', 'february', 'october']
Original Request: A copy of all bills, invoices, receipts, contracts or other transaction documents exchanged between Toronto Portland Comany and architects {Eric Kuhne and Mark Sterling (aka Sweeny, Sterling, Finlayson & Co. or CivicArts)}.
Tokens prepared for LDA: ['invoice', 'receipt', 'contract', 'transaction', 'document', 'exchange', 'toronto', 'portland', 'comany', 'architect', 'kuhne', 'sterling', 'sweeny', 'sterling', 'finlayson', 'civicarts)}.']
Original Request: A copy of all documents including but not limited to emails, text messages, memos, and other documents provided by the Mayor's Office, Councillor Michael Thompson, or Councillor Frances Nunziata regarding budget negotiations with Toronto Police Services.
Tokens prepared for LDA: ['document', 'include', 'limit', 'email', 'message', 'document', 'provide', 'mayor', 'office', 'councillor', 'michael', 'thompson', 'councillor', 'france', 'nunziata', 'regard', 'budget', 'negotiation', 'toronto', 'police', 'services']
Original Request: A copy of any Committee of Adjustment decisions and supporting documents for {a specified address}, this may include Ontario Municipal Board Decisions, staff reports, building permits, orders to comply, etc.
Tokens prepared for LDA: ['committee', 'adjustment', 'decision', 'support', 'document', 'specify', 'address', 'include', 'ontario', 'municipal', 'board', 'decision', 'staff', 'report', 'build', 'permit', 'order', 'comply']
Original Request: A copy of the dog bite report no. A08-025323. The owner of the dog that was attacked is {name and address of dog ownerl}.
Tokens prepared for LDA: ['report', '025323', 'owner', 'attack', 'address', 'ownerl}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on August 2, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 13, 2011. Fire incident no. F1113179.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october', 'incident', 'f1113179']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 22 and 23, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 16, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 14 and 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 22, 2011 at approx. 7:30 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october', 'approx']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on March 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'march']
Original Request: A copy of the fire report for {three specified addresses}, Toronto. The incident occurred on December 4, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of any documents that show if {a specified address} is a legal two family dwelling.
Tokens prepared for LDA: ['document', 'specify', 'address', 'legal', 'family', 'dwell']
Original Request: A copy of any Public Health reports for {a specified address} since January 1, 2009, including Food Safety Inspection reports and Food Condemnation/Seizure reports. Also any ML&S reports and/or work orders from Building, Fire, and Public Health.
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address', 'january', 'include', 'safety', 'inspection', 'report', 'condemnation', 'seizure', 'report', 'report', 'and/or', 'order', 'building', 'public', 'health']
Original Request: A copy of the order issued to {a specified address} on September 19, 2011 and any additional information available. Investigation No. 11 274537 PRS 00 IV.
Tokens prepared for LDA: ['order', 'issue', 'specify', 'address', 'september', 'additional', 'information', 'available', 'investigation', '274537']
Original Request: A copy of all records related to the 911 call made by Rob Ford on October 24, 2011, including all correspondence made from the Mayor's office in relation to this call (i.e. any correspondence to Toronto Police Services including Chief of Police).
Tokens prepared for LDA: ['record', 'relate', 'october', 'include', 'correspondence', 'mayor', 'office', 'relation', 'correspondence', 'toronto', 'police', 'services', 'include', 'chief', 'police']
Original Request: A copy of fire incident report for {a specified address}. The incident occurred on Oct. 22, 2011.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of any record showing the current mailing address of the property owner of {a specified address}.
Tokens prepared for LDA: ['record', 'current', 'address', 'property', 'owner', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on Oct. 9, 2011. Fire Incident No. F11132201.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october', 'incident', 'f11132201']
Original Request: A copy of all building records for {a specified address} including the engineer's report, design, and plans. All records from 1992 to 2011.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'engineer', 'report', 'design', 'record']
Original Request: A copy of the water service report conducted at {a specified address} on May 10, 2011, including all associated documents related to the report/visit.
Tokens prepared for LDA: ['water', 'service', 'report', 'conduct', 'specify', 'address', 'include', 'associate', 'document', 'relate', 'report', 'visit']
Original Request: A copy of any records relating to the dog attack incident at {a specified address}. The incident occurred on May 31, 2008. All records from April 2010 to present. Dog Tag #{number removed}.
Tokens prepared for LDA: ['record', 'relate', 'attack', 'incident', 'specify', 'address}.', 'incident', 'occur', 'record', 'april', 'present', 'removed}.']
Original Request: A copy of the fire incident report for {a specified address}. The incident report number is F08077146.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'report', 'f08077146']
Original Request: A copy of the fire incident report for {a specified address}. The incident occurred on March 13, 2011.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'occur', 'march']
Original Request: A copy of the archival records relating to The Canadian Bank of Commerce, Fonds 200 Series 544.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'canadian', 'commerce', 'fonds', 'series']
Original Request: A copy of the report from Fire Services for {a specified address}. The inspection occurred on October 26, 2011 at 2:00 p.m.
Tokens prepared for LDA: ['report', 'services', 'specify', 'address}.', 'inspection', 'occur', 'october']
Original Request: A copy of documents related to the transfer to tax charge of $156.22 for {a specified address} including any reports relating to this charge.
Tokens prepared for LDA: ['document', 'relate', 'transfer', 'charge', '156.22', 'specify', 'address', 'include', 'report', 'relate', 'charge']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 26, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for Sheppard Avenue and Conlin Road. The incident occurred on January 3, 2011 at approx. 5:00 p.m. Also include any additional reports, records or statements. Also a copy of the EMS call.
Tokens prepared for LDA: ['report', 'sheppard', 'avenue', 'conlin', 'incident', 'occur', 'january', 'approx', 'include', 'additional', 'report', 'record', 'statement']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on Eglinton Avenue, east of Renforth. The incident occurred on October 5, 2011 around 5:15 p.m.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'eglinton', 'avenue', 'renforth', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 21, 2009.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 14, 2011 at approx. 3:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october', 'approx']
Original Request: The identity of the individual and/or company who submitted the access request #2011-01839.
Tokens prepared for LDA: ['identity', 'individual', 'and/or', 'company', 'submit', 'access', 'request', '01839']
Original Request: A copy of the fire inspection report for {a specified address}, North York. The inspection occurred in June or July 2011.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'north', 'inspection', 'occur']
Original Request: An electronic copy of the City of Toronto's parking ticket database for the most recent complete year available. Each record should include the offence date, the offence time, and the offence location.
Tokens prepared for LDA: ['electronic', 'toronto', 'ticket', 'database', 'recent', 'complete', 'available', 'record', 'include', 'offence', 'offence', 'offence', 'location']
Original Request: A copy of the inspection reports, permits, survey reports, and other documents related to permit no 08-199142 BLD fo {a specified address}.
Tokens prepared for LDA: ['inspection', 'report', 'permit', 'survey', 'report', 'document', 'relate', 'permit', '199142', 'specify', 'address}.']
Original Request: A copy of the health records for the 3 elephants at the Toronto Zoo from April 18 to Nov. 10, 2011. Also correspondence and documents relating to moving the elephants from May 1 to Nov. 10, 2011.
Tokens prepared for LDA: ['health', 'record', 'elephant', 'toronto', 'april', 'november', 'correspondence', 'document', 'relate', 'elephant', 'november']
Original Request: A copy of documents relating to the complaint of garbage at {a specified address}. File No. 11 204138 PRS 00 IV.
Tokens prepared for LDA: ['document', 'relate', 'complaint', 'garbage', 'specify', 'address}.', '204138']
Original Request: A copy of all building records relating to {a specified address} including permits and work orders.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'include', 'permit', 'order']
Original Request: A copy of the 311 Toronto Water report for {an address} regarding damages from the sewer backup escape water. Report Tracking No. 1231523.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'address', 'regard', 'damage', 'sewer', 'backup', 'escape', 'water', 'report', 'tracking', '1231523']
Original Request: A copy of all documents relating to tree inspections, tree pruning, or tree removals of City owned trees at {a specified address} between January 1, 2007 and December 31, 2010.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'prune', 'removal', 'specify', 'address', 'january', 'december']
Original Request: A copy of the building permit records for {a specified address} including the designated use of the building and confirmation that the current existing house is a 2 dwelling unit.
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address', 'include', 'designate', 'build', 'confirmation', 'current', 'exist', 'house', 'dwell']
Original Request: A copy of any information on all grants, funding, and subsidies given to the Youthdale Treatment Centre by the City of Toronto.
Tokens prepared for LDA: ['information', 'grant', 'subsidy', 'youthdale', 'treatment', 'centre', 'toronto']
Original Request: A copy of the building file for {a specified address}.
Tokens prepared for LDA: ['build', 'specify', 'address}.']
Original Request: A copy of all fire reports for {a specified address}, including the call records since 2001.
Tokens prepared for LDA: ['report', 'specify', 'address', 'include', 'record']
Original Request: A copy of the Public Health and fire inspection report for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'specify', 'address}.']
Original Request: A copy of all complaint and inspection records relating to {a specified address} for the past 2 years. Including records from ML&S, Public Health, Transportation, 311, and Fire.
Tokens prepared for LDA: ['complaint', 'inspection', 'record', 'relate', 'specify', 'address', 'include', 'record', 'public', 'health', 'transportation']
Original Request: A copy of the investigation records and work orders from 2005 to present for {a specified address}
Tokens prepared for LDA: ['investigation', 'record', 'order', 'present', 'specify', 'address']
Original Request: A copy of all building permit files for the past 2 years for {a specified address}. Also all building inspections, investigations, complaint records, and all files from ML&S and 311.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.', 'build', 'inspection', 'investigation', 'complaint', 'record']
Original Request: A copy of maintenance logs of City sidewalk located at {a specified address} from September 2008 to December 2009.
Tokens prepared for LDA: ['maintenance', 'sidewalk', 'locate', 'specify', 'address', 'september', 'december']
Original Request: A copy of all documents pertaining to all building inspections conducted by the City at {a specified address} during the construction of this new property.
Tokens prepared for LDA: ['document', 'pertain', 'build', 'inspection', 'conduct', 'specify', 'address', 'construction', 'property']
Original Request: A copy of Order to Comply for file # 05 124821 WNP 00V1 relating to {a specified address}.
Tokens prepared for LDA: ['order', 'comply', '124821', 'relate', 'specify', 'address}.']
Original Request: A copy of all fire prevention complaints, inspections and investigation reports for {a specified address} for 2011. There should be two complaints made.
Tokens prepared for LDA: ['prevention', 'complaint', 'inspection', 'investigation', 'report', 'specify', 'address', 'complaint']
Original Request: Copies of all plans, reports, drafts and briefing notes, mail and correspondence (electronic or paper) relating to Occupy Toronto, The Occupy movement and/or the encampment at St. James Park.
Tokens prepared for LDA: ['copy', 'report', 'draft', 'brief', 'correspondence', 'electronic', 'paper', 'relate', 'occupy', 'toronto', 'occupy', 'movement', 'and/or', 'encampment', 'james']
Original Request: A copy of the Public Health inspection report from October 21, 2011 regarding the basement apartment at {a specified address}. File No. 119540.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'october', 'regard', 'basement', 'apartment', 'specify', 'address}.', '119540']
Original Request: A copy of all documents and correspondence related to the Notice of Violation dated Oct. 27, 2011 regarding {a specified address}, including emails or complaints. Also any plans or proposals that may affect the right-of-ways of the City along {the same street}.
Tokens prepared for LDA: ['document', 'correspondence', 'relate', 'notice', 'violation', 'october', 'regard', 'specify', 'address', 'include', 'email', 'complaint', 'proposal', 'affect', 'right', 'street}.']
Original Request: A copy of all complaints and related correspondence regarding the traffic signals at North Queen Street and the Queensway from January 2009 to present.
Tokens prepared for LDA: ['complaint', 'relate', 'correspondence', 'regard', 'traffic', 'signal', 'north', 'queen', 'street', 'queensway', 'january', 'present']
Original Request: A copy of the Fire Report for {a specified address}. The incident occurred on October 30, 2011. Fire Incident No. F11141111.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october', 'incident', 'f11141111']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on November 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 1, 2011 and an individual fell on a City sidewalk while alighting from a TTC vehicle. Fire Incident No. F11036585.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april', 'individual', 'sidewalk', 'alight', 'vehicle', 'incident', 'f11036585']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 28, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 15, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on October 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 22, 2011 at approximately 4:30 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october', 'approximately']
Original Request: A copy of the fire reports for {a specified address}. The incidents occurred between October 1, 2011 and present. Fire incident No. F11137799.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october', 'present', 'incident', 'f11137799']
Original Request: A copy of records relating to the water back up at {a specified address} with reference to a "break" in the sewer line on the street in front of the house prior to the back up on September 30, 2011.
Tokens prepared for LDA: ['record', 'relate', 'water', 'specify', 'address', 'reference', 'break', 'sewer', 'street', 'house', 'prior', 'september']
Original Request: All information regarding both complaints and the noise tests related to 1696385 Ontario Inc. Splansh & Shine at {a specified address}.
Tokens prepared for LDA: ['information', 'regard', 'complaint', 'noise', 'relate', '1696385', 'ontario', 'splansh', 'shine', 'specify', 'address}.']
Original Request: A copy of documents and plans from building permit # 02-194686 BLD and 02-194686 BLD 01 relating to {a specified address}
Tokens prepared for LDA: ['document', 'build', 'permit', '194686', '194686', 'relate', 'specify', 'address']
Original Request: A copy of all complaints filed against {an individual} of {a specified address}. by {an individual} of {a specified address}. Complaints include issues on building work permit, property line fence built without agreement from neighbour.
Tokens prepared for LDA: ['complaint', 'individual', 'specify', 'address}.', 'individual', 'specify', 'address}.', 'complaint', 'include', 'issue', 'build', 'permit', 'property', 'fence', 'build', 'agreement', 'neighbour']
Original Request: Copies of the water main operations and maintenance records regarding the sewers and pipes along Avenue Road, between Chaplin Cres. and Killbarry Rd. from November 2008 to November 13, 2008.
Tokens prepared for LDA: ['copy', 'water', 'operation', 'maintenance', 'record', 'regard', 'sewer', 'avenue', 'chaplin', 'killbarry', 'november', 'november']
Original Request: A llist of all FOI requests made to the City of Toronto between May 1, 2011 and July 31, 2011, and the final decision letter if a decision has been reached, excluding the actual documents but including information if access was granted & reason of denial.
Tokens prepared for LDA: ['llist', 'request', 'toronto', 'final', 'decision', 'letter', 'decision', 'reach', 'exclude', 'actual', 'document', 'include', 'information', 'access', 'grant', 'reason', 'denial']
Original Request: A digital copy of the results of all foodsafety inspection results that led to a premise receiving either a "conditional pass" or "closed" notice, from Dinesafe's inception (Jan. 2001) to now, regardless of whether the premise has changed ownership .
Tokens prepared for LDA: ['digital', 'result', 'foodsafety', 'inspection', 'result', 'premise', 'receive', 'conditional', 'close', 'notice', 'dinesafe', 'inception', 'january', 'regardless', 'premise', 'change', 'ownership']
Original Request: A copy of the permission granted to remove an 85 foot high healthy evergreen located behind the property at {a specified address} in 2010.
Tokens prepared for LDA: ['permission', 'grant', 'remove', 'healthy', 'evergreen', 'locate', 'property', 'specify', 'address']
Original Request: A copy of all permits, work orders and committee of adjustment decisions for {a specified address} as far back as possible.
Tokens prepared for LDA: ['permit', 'order', 'committee', 'adjustment', 'decision', 'specify', 'address', 'possible']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on Sept. 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for 250 The East Mall, Cloverdale Mall. The incident occurred on May 17, 2009. Please include any additional notes including statements.
Tokens prepared for LDA: ['report', 'cloverdale', 'incident', 'occur', 'include', 'additional', 'include', 'statement']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on November 11, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on October 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'october']
Original Request: A copy of the permits 1971, 75, 77, and 78 for {a specified address}, Toronto, to determine if the property is a legal 3 family dwelling.
Tokens prepared for LDA: ['permit', 'specify', 'address', 'toronto', 'determine', 'property', 'legal', 'family', 'dwell']
Original Request: A copy of all records related to a car damaged by a City tree near {a specified address} on June 7, 2010.
Tokens prepared for LDA: ['record', 'relate', 'damage', 'specify', 'address']
Original Request: A copy of all permits, inspection reports and zoning data for {a specified address}.
Tokens prepared for LDA: ['permit', 'inspection', 'report', 'datum', 'specify', 'address}.']
Original Request: A list of all disabled parking spaces on arterial roads in Toronto including the addresses and a breakdown of how many are marked by pavement markings (# and addresses of locations). Also the total income by the City from disabled parking spaces fines.
Tokens prepared for LDA: ['disable', 'space', 'arterial', 'toronto', 'include', 'address', 'breakdown', 'pavement', 'marking', 'address', 'location', 'total', 'income', 'disable', 'space']
Original Request: An electronic list showing the actual and planned locations of Info ToGo pillars for the City.
Tokens prepared for LDA: ['electronic', 'actual', 'location', 'pillar']
Original Request: A copy of all reports, work orders, and associated documents related to the complaints made regarding {a specified address} from October 2010 to November 2011.
Tokens prepared for LDA: ['report', 'order', 'associate', 'document', 'relate', 'complaint', 'regard', 'specify', 'address', 'october', 'november']
Original Request: A copy of any complaints and associated documents, such as work orders, notices, reports, for {a specified address}. All records for the past 7 years.
Tokens prepared for LDA: ['complaint', 'associate', 'document', 'order', 'notice', 'report', 'specify', 'address}.', 'record']
Original Request: A copy of the building inspection records for {a specified address}. The inspection occurred within the past 2 years.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'specify', 'address}.', 'inspection', 'occur']
Original Request: A copy of the building file number 319904 for {a specified address}.
Tokens prepared for LDA: ['build', '319904', 'specify', 'address}.']
Original Request: A copy of all reports and work orders related to the complaints at {a specified address}. All records from October 2010 to present.
Tokens prepared for LDA: ['report', 'order', 'relate', 'complaint', 'specify', 'address}.', 'record', 'october', 'present']
Original Request: A copy of all records created, held or received by the City in 2011 relating to in whole or part to any possible, proposed or planned townhome or other developments on {several addresses (only odd numbers)}. Records from Aug. 18 to present.
Tokens prepared for LDA: ['record', 'create', 'receive', 'relate', 'possible', 'propose', 'townhome', 'development', 'address', 'numbers)}.', 'record', 'august', 'present']
Original Request: A copy of the records relating to a dog bite incident on August 8, 2009. The dog was living at {a specified address} at the time.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'august', 'specify', 'address']
Original Request: A copy of all building permits and related records including inspections, reports, status letters, investigations, signs, etc. for {two specified addresses}.
Tokens prepared for LDA: ['build', 'permit', 'relate', 'record', 'include', 'inspection', 'report', 'status', 'letter', 'investigation', 'specify', 'addresses}.']
Original Request: A copy of all building permit documents for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'document', 'specify', 'address}.']
Original Request: A copy of all complaints, orders, or notices issued to {a specified address}.
Tokens prepared for LDA: ['complaint', 'order', 'notice', 'issue', 'specify', 'address}.']
Original Request: An electronic list of all watermain breaks in the City of Toronto from 1990 to present, including geocoding information (latitude and longitude) for each watermain break.
Tokens prepared for LDA: ['electronic', 'watermain', 'break', 'toronto', 'present', 'include', 'geocoding', 'information', 'latitude', 'longitude', 'watermain', 'break']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 12, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, York. The incident occurred on January 7, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred September 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred August 11, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}. The incident occurred October 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred November 3, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred December 12, 2010 when litres of fuel oil dumped into the basement. Fire Report No. F10141634.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'december', 'litre', 'basement', 'report', 'f10141634']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of fire inspection reports relating to {two specified addresses}. The inspection was done on Nov. 21 and 22, 2011 by Henry Corazza, Fire Inspector.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'specify', 'addresses}.', 'inspection', 'november', 'henry', 'corazza', 'inspector']
Original Request: A copy of fence by-law review and measurements done by ML&S officers as neighbour contested erecting a fence between {two specified addresses} Debra Bloomfield and J. Woods are the ML&S officers.
Tokens prepared for LDA: ['fence', 'review', 'measurement', 'officer', 'neighbour', 'contest', 'erect', 'fence', 'specify', 'address', 'debra', 'bloomfield', 'woods', 'officer']
Original Request: Copies of the maintenance records for the sanitary sewers around {a specified address} Toronto for a 10-year period from 2001 to 2011 leading up to March 10, 2011.
Tokens prepared for LDA: ['copy', 'maintenance', 'record', 'sanitary', 'sewer', 'specify', 'address', 'toronto', '10-year', 'period', 'march']
Original Request: A copy of fire safety report and any other follow up reports for {a specified address}. The owner is {an individual} and the tenant is {an individual}.
Tokens prepared for LDA: ['safety', 'report', 'follow', 'report', 'specify', 'address}.', 'owner', 'individual', 'tenant', 'individual}.']
Original Request: A copy of ML&S inspection report and any follow up reports for {a specified address}. The inspection was done on or after Sept. 23, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'report', 'specify', 'address}.', 'inspection', 'september']
Original Request: A copy of all ML&S complaints, records relating to {a specified address}, Toronto.
Tokens prepared for LDA: ['complaint', 'record', 'relate', 'specify', 'address', 'toronto']
Original Request: Copies ofCertificates of Consent for {a specified address} and {a specified address}
Tokens prepared for LDA: ['copy', 'ofcertificates', 'consent', 'specify', 'address', 'specify', 'address']
Original Request: A copy of the drawings depicting the exact fire route and/or designated areas along the private streets of Navy Wharf Court and Mariner Terrace.
Tokens prepared for LDA: ['drawing', 'depict', 'exact', 'route', 'and/or', 'designate', 'private', 'street', 'wharf', 'court', 'mariner', 'terrace']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 6, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on November 24, 2011 and originated at {a specified address}.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november', 'originate', 'specify', 'address}.']
Original Request: A copy of the fire report for Steeles Avenue West and Petrolia Road. The motor vehicle accident occurred on December 1, 2008. Fire incident number F08135209.
Tokens prepared for LDA: ['report', 'steele', 'avenue', 'petrolia', 'motor', 'vehicle', 'accident', 'occur', 'december', 'incident', 'f08135209']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 19, 2011. Fire incident number F11136429.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october', 'incident', 'f11136429']
Original Request: A copy of the complaint records, orders, and reports for the flooding at {a specified address}. File #'s 1125081, 1125044, 1226890, 1273379, 1226870, and 1127842.
Tokens prepared for LDA: ['complaint', 'record', 'order', 'report', 'flood', 'specify', 'address}.', '1125081', '1125044', '1226890', '1273379', '1226870', '1127842']
Original Request: A copy of the fire report # F11149122.
Tokens prepared for LDA: ['report', 'f11149122']
Original Request: A copy of the fire report for {a specified address}, East York. The incident occurred on October 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for Leslie and Sheppard, North York. The motor vehicle accident occurred on November 21, 2011 at 10:15.
Tokens prepared for LDA: ['report', 'leslie', 'sheppard', 'north', 'motor', 'vehicle', 'accident', 'occur', 'november', '10:15']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on August 5, 2011. Also any documents containing the list of stolen goods and damage descriptions.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august', 'document', 'contain', 'steal', 'damage', 'description']
Original Request: A copy of the storm water management report for {a specified address}.
Tokens prepared for LDA: ['storm', 'water', 'management', 'report', 'specify', 'address}.']
Original Request: A copy of the engineer's report for {a specified address}. The report was completed by Alef Consulting Inc. dated March 31, 2006.
Tokens prepared for LDA: ['engineer', 'report', 'specify', 'address}.', 'report', 'complete', 'consult', 'march']
Original Request: A copy of all mechanical plumbing plans, permits, inspections, engineering assessments and letters relating to {a specified address} and any documentation relating to hot water circulation piping and plumbing matters.
Tokens prepared for LDA: ['mechanical', 'plumb', 'permit', 'inspection', 'engineer', 'assessment', 'letter', 'relate', 'specify', 'address', 'documentation', 'relate', 'water', 'circulation', 'plumb', 'matter']
Original Request: A copy of all records related to the explosion at {a specified address}. The incident occurred on March 19, 2009. Records including all orders, notices, correspondence, logs, notes, memos, inspections, etc.
Tokens prepared for LDA: ['record', 'relate', 'explosion', 'specify', 'address}.', 'incident', 'occur', 'march', 'record', 'include', 'order', 'notice', 'correspondence', 'inspection']
Original Request: A copy of the planning records and deficiency lists from Toronto Building regarding {a specified address}.
Tokens prepared for LDA: ['record', 'deficiency', 'toronto', 'building', 'regard', 'specify', 'address}.']
Original Request: A copy of all records relating to the cost of all legal action regarding {a specified address} since June 1, 1989.
Tokens prepared for LDA: ['record', 'relate', 'legal', 'action', 'regard', 'specify', 'address']
Original Request: A copy of all permit documents for {a specified address}.
Tokens prepared for LDA: ['permit', 'document', 'specify', 'address}.']
Original Request: A copy of all building documents available for {a specified address}.
Tokens prepared for LDA: ['build', 'document', 'available', 'specify', 'address}.']
Original Request: A copy of all records relating to the eviction of squatters at {a specified address}. Including records relating to maintenance & utility costs.
Tokens prepared for LDA: ['record', 'relate', 'eviction', 'squatter', 'specify', 'address}.', 'include', 'record', 'relate', 'maintenance', 'utility']
Original Request: A copy of records relating to the number of parking infractions.tickets issues in the area near Eglinton Avenue West and Strathearn Road/Burton Road on Sept. 29 & 30 and Oct. 7 & 8, 2011.
Tokens prepared for LDA: ['record', 'relate', 'infractions.tickets', 'issue', 'eglinton', 'avenue', 'strathearn', 'burton', 'september', 'october']
Original Request: A copy of records relating to the building permit for {a specified address}, including all building correspondence for the past year and the present status for the building permit application.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'specify', 'address', 'include', 'build', 'correspondence', 'present', 'status', 'build', 'permit', 'application']
Original Request: A copy of the ML&S and Building files for {a specified address}.
Tokens prepared for LDA: ['building', 'specify', 'address}.']
Original Request: A copy of all water snaking and sewer service records from March 2005 to present for {a specified address}.
Tokens prepared for LDA: ['water', 'snake', 'sewer', 'service', 'record', 'march', 'present', 'specify', 'address}.']
Original Request: A electronic list of where calls to EMS came from between January 1, 2010 to December 31, 2010.
Tokens prepared for LDA: ['electronic', 'january', 'december']
Original Request: A copy of records regarding statistics and reactions to the Streets to Homes Assessment and Referral Centre at 129 Peter Street including correspondence, briefing notes, spreadsheets, etc. Records from Nov. 4, 2010 to Nov. 4, 2011.
Tokens prepared for LDA: ['record', 'regard', 'statistic', 'reaction', 'street', 'home', 'assessment', 'referral', 'centre', 'peter', 'street', 'include', 'correspondence', 'brief', 'spreadsheet', 'record', 'november', 'november']
Original Request: A list of all addresses that have recouped money from the City of Toronto's false fire alarm reimbursement program from Jan. 1, 2006 to present.
Tokens prepared for LDA: ['address', 'recoup', 'money', 'toronto', 'false', 'alarm', 'reimbursement', 'program', 'january', 'present']
Original Request: A copy of any construction records regarding {a specified address} that determine the construction date of the town house.
Tokens prepared for LDA: ['construction', 'record', 'regard', 'specify', 'address', 'determine', 'construction', 'house']
Original Request: A copy of all documents relating to supplies for the office of Councillor Doug Ford since Dec. 1, 2010. Records including correspondence, memos outlining councillor office supply requirements, copies of order forms, invoices, spread sheets, etc.
Tokens prepared for LDA: ['document', 'relate', 'supply', 'office', 'councillor', 'december', 'record', 'include', 'correspondence', 'outline', 'councillor', 'office', 'supply', 'requirement', 'order', 'invoice', 'spread', 'sheet']
Original Request: A copy of all documents relating to supplies for the office of Councillor Doug Ford since Dec. 1, 2010. Records including correspondence, memos outlining councillor office supply requirements, copies of order forms, invoices, spread sheets, etc.
Tokens prepared for LDA: ['document', 'relate', 'supply', 'office', 'councillor', 'december', 'record', 'include', 'correspondence', 'outline', 'councillor', 'office', 'supply', 'requirement', 'order', 'invoice', 'spread', 'sheet']
Original Request: A copy of all records concerning the recent decision to evict Occupy Toronto, including briefing notes, handwritten notes, memos, meeting minutes, correspondence, etc. Records from September 20, 2011 to present.
Tokens prepared for LDA: ['record', 'concern', 'recent', 'decision', 'evict', 'occupy', 'toronto', 'include', 'brief', 'handwritten', 'minute', 'correspondence', 'record', 'september', 'present']
Original Request: A copy of all records from Animal Services regarding {an individual} or his property {a specified address}.
Tokens prepared for LDA: ['record', 'animal', 'services', 'regard', 'individual', 'property', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 17, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for a vehicle that caught fire in front of {a specified address}, Scarborough. The incident occurred on November 11, 2011.
Tokens prepared for LDA: ['report', 'vehicle', 'catch', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for Bay Street and Wellesley Street. The motor vehicle accident occurred on October 23, 2009.
Tokens prepared for LDA: ['report', 'street', 'wellesley', 'street', 'motor', 'vehicle', 'accident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on November 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on June 5, 2011 at approx. 8:40 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'approx']
Original Request: A copy of animal services complaint and full report for activity no. 9582 issued to {a specified address}, Etobicoke.
Tokens prepared for LDA: ['animal', 'service', 'complaint', 'report', 'activity', 'issue', 'specify', 'address', 'etobicoke']
Original Request: A copy of house inspection report for {a specified address}., Toronto.
Tokens prepared for LDA: ['house', 'inspection', 'report', 'specify', 'address}.', 'toronto']
Original Request: A copy of health inspection report, including photos, for {a specified address}. The inspection was done on approx. Oct. 4 or 5, 2011 by Erikan Olaye, Public Health Inspector.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'include', 'photo', 'specify', 'address}.', 'inspection', 'approx', 'october', 'erikan', 'olaye', 'public', 'health', 'inspector']
Original Request: A copy of ML&S compliance report for the second unit in the basement of {a specified address.}. Also, any complaint made by {a specified address} against {a specified address}; photos taken from {a specified address} on the driveway and the car.
Tokens prepared for LDA: ['compliance', 'report', 'basement', 'specify', 'address.}.', 'complaint', 'specify', 'address', 'specify', 'address', 'photo', 'specify', 'address', 'driveway']
Original Request: A copy of the undertaking building files for {a specified address}. File No.'s U300086 & U300086A.
Tokens prepared for LDA: ['undertake', 'build', 'specify', 'address}.', 'u300086', 'u300086a.']
Original Request: A copy of all emails, memos, staff reports regarding meetings between Mayor Ford, Councillor Ford, and Senior Executives at R. R. Donnelley Canada held on June 15 & 30, 2011.
Tokens prepared for LDA: ['email', 'staff', 'report', 'regard', 'meeting', 'mayor', 'councillor', 'senior', 'executive', 'donnelley', 'canada']
Original Request: A copy of the EMS report for the motor vehicle accident on Yonge Street north of St. Clair. The incident occurred on October 19, 2011.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'yonge', 'street', 'north', 'clair', 'incident', 'occur', 'october']
Original Request: A copy of any records relating to or stemming from cases where the City has been named as a defendant in lawsuits where pedestrians have been injured or killed while crossing a city street using a pedestrian refuge island. Also details on these incidents.
Tokens prepared for LDA: ['record', 'relate', 'defendant', 'lawsuit', 'pedestrian', 'injure', 'cross', 'street', 'pedestrian', 'refuge', 'island', 'incident']
Original Request: A copy of the motor vehicle accident report from Fleet Services and Solid Waste Management for the accident at Yore Road and Keele Avenue. The incident occurred on July 20, 2011.
Tokens prepared for LDA: ['motor', 'vehicle', 'accident', 'report', 'fleet', 'services', 'solid', 'waste', 'management', 'accident', 'keele', 'avenue', 'incident', 'occur']
Original Request: A copy of the building inspection reports for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address}.']
Original Request: A copy of the invoice/receipt for permit fee regarding {a specified address}, North York. Also all permit cards on file.
Tokens prepared for LDA: ['invoice', 'receipt', 'permit', 'regard', 'specify', 'address', 'north', 'permit']
Original Request: A copy of the Public Health inspection report for {a specified address}. The inspection occurred on March 4, 2011.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'specify', 'address}.', 'inspection', 'occur', 'march']
Original Request: A copy of any and all video or still camera photographs within 200m of the Richmond exit on the southbound Don Valley Parkway between 7:00 p.m. and 8:30 p.m. on September 18, 2010.
Tokens prepared for LDA: ['video', 'camera', 'photograph', 'richmond', 'southbound', 'valley', 'parkway', 'september']
Original Request: A copy of all license applications made to ML&S relating to 1692030 Ontario Ltd. and {a specified address} during 2011.
Tokens prepared for LDA: ['license', 'application', 'relate', '1692030', 'ontario', 'specify', 'address']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on November 11, 2011. Fire Report No. F11146135.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november', 'report', 'f11146135']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on November 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on May 15, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on May 8, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for Sheppard Avenue East and Provost Drive, Toronto. The motor vehicle accident occurred on August 11, 2008.
Tokens prepared for LDA: ['report', 'sheppard', 'avenue', 'provost', 'drive', 'toronto', 'motor', 'vehicle', 'accident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 1, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of health inspection report for {a specified address}, basement unit. The inspection was done on November 22, 2011 by Scott Moore, health inspector.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'basement', 'inspection', 'november', 'scott', 'moore', 'health', 'inspector']
Original Request: A copy of all building permits, applications and records, site plans, surveys, zoning applications and drawings, preliminary project reviews, committee of adjustment decisions for {a specified address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', 'application', 'record', 'survey', 'application', 'drawing', 'preliminary', 'project', 'review', 'committee', 'adjustment', 'decision', 'specify', 'address', 'toronto']
Original Request: A copy of all building permits, applications and records, site plans, surveys, zoning applications and drawings, preliminary project reviews, committee of adjustment decisions for {a specified address}, Toronto.
Tokens prepared for LDA: ['build', 'permit', 'application', 'record', 'survey', 'application', 'drawing', 'preliminary', 'project', 'review', 'committee', 'adjustment', 'decision', 'specify', 'address', 'toronto']
Original Request: A copy of agreement between the City and/or the former City of Etobicoke and Dunpar Developments relating to the easements or reported easement swap at Sand Beach Road and the former Sand Beach.
Tokens prepared for LDA: ['agreement', 'and/or', 'etobicoke', 'dunpar', 'development', 'relate', 'easement', 'report', 'easement', 'beach', 'beach']
Original Request: A copy of final signed lease agreement between the City of Toronto and HRDOV Ltd. for {a specified address}.
Tokens prepared for LDA: ['final', 'lease', 'agreement', 'toronto', 'hrdov', 'specify', 'address}.']
Original Request: A copy of all records relating to building. zoning, plumbing, additions and demoliations with respect to {a specified address}, Toronto. The search should go as far back as possible.
Tokens prepared for LDA: ['record', 'relate', 'build', 'plumb', 'addition', 'demoliations', 'respect', 'specify', 'address', 'toronto', 'search', 'possible']
Original Request: A copy of site plan agreement and documents around creation of building (around 1972-1976), zoning drawings, permits for {a specified address}, Toronto. The permits are 076468, 074030, 045235.
Tokens prepared for LDA: ['agreement', 'document', 'creation', 'build', 'drawing', 'permit', 'specify', 'address', 'toronto', 'permit', '076468', '074030', '045235']
Original Request: A copy of all information on file relating to sanitary drain for {a specified address} for calls to the City from 2005 to 2011 on issues on sanitary drain or city trees on the property.
Tokens prepared for LDA: ['information', 'relate', 'sanitary', 'drain', 'specify', 'address', 'issue', 'sanitary', 'drain', 'property']
Original Request: A copy of all records, violations, and comments by fire inspectors regarding {a specified address} from January 2003 to present.
Tokens prepared for LDA: ['record', 'violation', 'comment', 'inspector', 'regard', 'specify', 'address', 'january', 'present']
Original Request: A copy of any calls for service to Glendon College, York University, 2275 Bayview Avenue, from June 5, 2004 to June 5, 2011. Including any records for service to this location on June 5, 2011.
Tokens prepared for LDA: ['service', 'glendon', 'college', 'university', 'bayview', 'avenue', 'include', 'record', 'service', 'location']
Original Request: A copy of all emails sent and received in the Human Resources department with reference to {individual's name} in the subject or body of the email between October 2004 and December 11, 2011.
Tokens prepared for LDA: ['email', 'receive', 'human', 'resource', 'department', 'reference', 'individual', 'subject', 'email', 'october', 'december']
Original Request: A copy of any records relating to a partial road closure on St. Clair Avenue East, Toronto by O'Connor Drive on September 20, 2006.
Tokens prepared for LDA: ['record', 'relate', 'partial', 'closure', 'clair', 'avenue', 'toronto', "o'connor", 'drive', 'september']
Original Request: A copy of the inspection report for the clogged drain at {a specified address}. The inspection occurred on December 4, 2011.
Tokens prepared for LDA: ['inspection', 'report', 'drain', 'specify', 'address}.', 'inspection', 'occur', 'december']
Original Request: A copy of all complaints and corresponding documents regarding {a specified address} including inspections, orders, reports, and notices from October 1, 2011 to present.
Tokens prepared for LDA: ['complaint', 'correspond', 'document', 'regard', 'specify', 'address', 'include', 'inspection', 'order', 'report', 'notice', 'october', 'present']
Original Request: A copy of the ambulance call and dispatch report regarding the motor vehicle accident at Steeles and Alness Road. The incident occurred on December 3, 2007.
Tokens prepared for LDA: ['ambulance', 'dispatch', 'report', 'regard', 'motor', 'vehicle', 'accident', 'steele', 'alness', 'incident', 'occur', 'december']
Original Request: A copy of the ambulance call and dispatch report including the audio CD recording of the 911 call for the motor vehicle accident that occurred on Finch Avenue West and Driftwood Avenue. The incident occurred on November 1, 2010.
Tokens prepared for LDA: ['ambulance', 'dispatch', 'report', 'include', 'audio', 'record', 'motor', 'vehicle', 'accident', 'occur', 'finch', 'avenue', 'driftwood', 'avenue', 'incident', 'occur', 'november']
Original Request: A copy of the zoning records for {a specified address} prior to 1997.
Tokens prepared for LDA: ['record', 'specify', 'address', 'prior']
Original Request: A copy of the building file for {a specified address}. File No. 424325.
Tokens prepared for LDA: ['build', 'specify', 'address}.', '424325']
Original Request: A copy of the building permits, development applications, and related correspondence for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'development', 'application', 'relate', 'correspondence', 'specify', 'address}.']
Original Request: A copy of the building permit files for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.']
Original Request: A copy of all documents, notes, reports, and orders resulting from a MLS inspection at {a specified address} on November 30, 2011.
Tokens prepared for LDA: ['document', 'report', 'order', 'result', 'inspection', 'specify', 'address', 'november']
Original Request: A copy of all building permit records, zoning records, building inspection records, and committee of adjustment files records from 1970 to present for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'record', 'build', 'inspection', 'record', 'committee', 'adjustment', 'record', 'present', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on August 13, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for Steeles and Islington, Toronto. The motor vehicle accident occurred on December 5, 2011 around 10:00 p.m. Fire Report No. F11155479.
Tokens prepared for LDA: ['report', 'steele', 'islington', 'toronto', 'motor', 'vehicle', 'accident', 'occur', 'december', '10:00', 'report', 'f11155479']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on April 13, 2004. Fire Report No. 2004FR038208000.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'april', 'report', '2004fr038208000']
Original Request: A copy of the fire report for the motor vehicle accident near Highway 403 east and 427 south. The incident occurred on November 2, 2008. Fire report number F08124069.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'highway', 'south', 'incident', 'occur', 'november', 'report', 'f08124069']
Original Request: Information on how much does it cost to run Scotia Bank Nuit Blanche, and how much did the City of Toronto contribute and how much did ScotiaBank contribute.
Tokens prepared for LDA: ['information', 'scotia', 'blanche', 'toronto', 'contribute', 'scotiabank', 'contribute']
Original Request: All records and documents relating to building permit # 07 236180 BLD oo BA for {a specified address}.
Tokens prepared for LDA: ['record', 'document', 'relate', 'build', 'permit', '236180', 'specify', 'address}.']
Original Request: Proof of refund on the deposit to the City for hoarding of trees. The amount refunded to MurDocca Corp., according to Brian Mercer of Parks, Forestry is $27,735 out of the $28,000 deposit.
Tokens prepared for LDA: ['proof', 'refund', 'deposit', 'hoard', 'refund', 'murdocca', 'corp.', 'accord', 'brian', 'mercer', 'parks', 'forestry', '27,735', '28,000', 'deposit']
Original Request: A copy of the property standards file with respect to {a specified address}, in particular file # 10284126.
Tokens prepared for LDA: ['property', 'standard', 'respect', 'specify', 'address', 'particular', '10284126']
Original Request: A copy of ML&S report and pictures taken relating to {a specified address} in October 2011. Joey Leonardis was the ML&S Inspector who conducted the inspection.
Tokens prepared for LDA: ['report', 'picture', 'relate', 'specify', 'address', 'october', 'leonardis', 'inspector', 'conduct', 'inspection']
Original Request: A copy of all building records, permit applications and drawings, site plans, surveys, zoning applications, drawings and Committee of Adjustment decisions for {a specified address}, Toronto.
Tokens prepared for LDA: ['build', 'record', 'permit', 'application', 'drawing', 'survey', 'application', 'drawing', 'committee', 'adjustment', 'decision', 'specify', 'address', 'toronto']
Original Request: A copy of any documents related to licenses that were issued to the parking lot located at {a specified address} or any information relating to the use of the land.
Tokens prepared for LDA: ['document', 'relate', 'license', 'issue', 'locate', 'specify', 'address', 'information', 'relate']
Original Request: A copy of any documents related to licenses that were issued to the parking lot located at {a specified address} or any information relating to the use of the land.
Tokens prepared for LDA: ['document', 'relate', 'license', 'issue', 'locate', 'specify', 'address', 'information', 'relate']
Original Request: A copy of any completed documents prepared by TFS containing TFS responses in support of the Fire Protection Research Foundation, Quantitative Evaluation of Fire & EMS Mobilization Times Research Report published May 2010, including correspondence.
Tokens prepared for LDA: ['complete', 'document', 'prepare', 'contain', 'response', 'support', 'protection', 'research', 'foundation', 'quantitative', 'evaluation', 'mobilization', 'times', 'research', 'report', 'publish', 'include', 'correspondence']
Original Request: A copy of all records, emails, correspondence, photos, drawings, and notes on file for the ML&S investigation of {a specified address}. File No. B12044.
Tokens prepared for LDA: ['record', 'email', 'correspondence', 'photo', 'drawing', 'investigation', 'specify', 'address}.', 'b12044']
Original Request: A copy of fire incident report for the elevator fire that occurred at {a specified address}, Toronto on December 8, 2011.
Tokens prepared for LDA: ['incident', 'report', 'elevator', 'occur', 'specify', 'address', 'toronto', 'december']
Original Request: A copy of building permits for {a specified address}. The permits are 70169, 93755 and 058971.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.', 'permit', '70169', '93755', '058971']
Original Request: A copy of the site plan approval and site plan agreement files for {a specified address}, dating back to 1961.
Tokens prepared for LDA: ['approval', 'agreement', 'specify', 'address']
Original Request: A copy of ML&S inspection reports for {a specified address}. The file numbers are 11-297906 and 11-301405.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address}.', 'number', '297906', '301405']
Original Request: Information on the contract rate (per diem rate) of 311 Contact Centre, IT Department without individual agent information but with position title.
Tokens prepared for LDA: ['information', 'contract', 'contact', 'centre', 'department', 'individual', 'agent', 'information', 'position', 'title']
Original Request: Information on beryllium in the soil under the property located at {a specified address}. File numbers are C85582 and 85530.
Tokens prepared for LDA: ['information', 'beryllium', 'property', 'locate', 'specify', 'address}.', 'number', 'c85582', '85530']
Original Request: A copy of inspection report relating to the mold problem for the property located at {a specified address}, Toronto.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'problem', 'property', 'locate', 'specify', 'address', 'toronto']
Original Request: A copy of the permitted use letter for sale of prefilled propane cylinders at Esso located at {a specified address}, Toronto.
Tokens prepared for LDA: ['permit', 'letter', 'prefilled', 'propane', 'cylinder', 'locate', 'specify', 'address', 'toronto']
Original Request: A copy of the permitted use letter for sale of prefilled propane cylinders at Esso located at {a specified address}, Toronto.
Tokens prepared for LDA: ['permit', 'letter', 'prefilled', 'propane', 'cylinder', 'locate', 'specify', 'address', 'toronto']
Original Request: A copy of fire incident report for the incident that occurred on September 30, 2011 at {a specified address}.
Tokens prepared for LDA: ['incident', 'report', 'incident', 'occur', 'september', 'specify', 'address}.']
Original Request: A copy of the records relating to a dog bite incident occurring near {a specified address}, Etobicoke. The incident occurred on November 7, 2011. The case number is A11-028311.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'occur', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'november', '028311']
Original Request: A copy of the building documents and plans including mechanical, electrical, plumbing, and structural plans and documents for {a specified address}.
Tokens prepared for LDA: ['build', 'document', 'include', 'mechanical', 'electrical', 'plumb', 'structural', 'document', 'specify', 'address}.']
Original Request: A copy of all documents concerning broken or leaking water pipes, watermain replacement and flooding at {a specified address} from 2008 to present.
Tokens prepared for LDA: ['document', 'concern', 'break', 'water', 'watermain', 'replacement', 'flood', 'specify', 'address', 'present']
Original Request: A copy of all plans, drawings, and records relating to permit #176292 for {a specified address}. This permit was taken out on March 5, 1982.
Tokens prepared for LDA: ['drawing', 'record', 'relate', 'permit', '176292', 'specify', 'address}.', 'permit', 'march']
Original Request: A copy of all building documents related to {a specified address} from 2000 to present.
Tokens prepared for LDA: ['build', 'document', 'relate', 'specify', 'address', 'present']
Original Request: A copy of the fire inspection for {a specified address}.
Tokens prepared for LDA: ['inspection', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 13, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 29, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 24, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on August 13, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 22, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The motor vehicle accident occurred on January 24, 2011. Fire Report No. F11009862. Including all additional information from Fire Services.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'motor', 'vehicle', 'accident', 'occur', 'january', 'report', 'f11009862', 'include', 'additional', 'information', 'services']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 30, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred in July or August of 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'august']
Original Request: A copy of all correspondence relating to {a specified address}, including records relating to the sale of this property, documents prior to 2010 (prior owner), and documents relating to the amalgamation with adjacent properties.
Tokens prepared for LDA: ['correspondence', 'relate', 'specify', 'address', 'include', 'record', 'relate', 'property', 'document', 'prior', 'prior', 'owner', 'document', 'relate', 'amalgamation', 'adjacent', 'property']
Original Request: A copy of all documents pertaining to {a specified address} including owing tax information, correspondence and emails involving 1664974 Ontatio Ltd.
Tokens prepared for LDA: ['document', 'pertain', 'specify', 'address', 'include', 'information', 'correspondence', 'email', 'involve', '1664974', 'ontatio']
Original Request: A copy of all ML&S files including inspections, complaints, and orders regarding {a specified address and common areas} from August 2011 to present. Specifically follow up documents to the complaint no's. 1273271 and 1273274.
Tokens prepared for LDA: ['include', 'inspection', 'complaint', 'order', 'regard', 'specify', 'address', 'common', 'august', 'present', 'specifically', 'follow', 'document', 'complaint', '1273271', '1273274']
Original Request: A copy of all building documents for {a specified address}, including applications, permits, inspections, notes, reports, diagrams ect.
Tokens prepared for LDA: ['build', 'document', 'specify', 'address', 'include', 'application', 'permit', 'inspection', 'report', 'diagram']
Original Request: A copy of all building and plumbing records regarding {a specified address}, including plans, permits, applications, correspondence, reports, ect.
Tokens prepared for LDA: ['build', 'plumb', 'record', 'regard', 'specify', 'address', 'include', 'permit', 'application', 'correspondence', 'report']
Original Request: A copy of all building permits, applications, and inspections relating to {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'inspection', 'relate', 'specify', 'address}.']
Original Request: A copy of the permitted use letter for the propane exchange at {a specified address} relating to File No. 123581 and the permitted use letter for propane exchange at {a specified address} relating to File No. 10 174529.
Tokens prepared for LDA: ['permit', 'letter', 'propane', 'exchange', 'specify', 'address', 'relate', '123581', 'permit', 'letter', 'propane', 'exchange', 'specify', 'address', 'relate', '174529']
Original Request: A copy of all road maintenance records relating to the intersection at Finch Avenue West and Edithvale Drive from Jan. 28, 29, and 30, 2008.
Tokens prepared for LDA: ['maintenance', 'record', 'relate', 'intersection', 'finch', 'avenue', 'edithvale', 'drive', 'january']
Original Request: An electronic document containing the date, municipal address and estimated damage cost for all arsons within the City of Toronto from January 1, 2007 to present.
Tokens prepared for LDA: ['electronic', 'document', 'contain', 'municipal', 'address', 'estimate', 'damage', 'arson', 'toronto', 'january', 'present']
Original Request: A copy of all electronic or written correspondence between Mayor Ford, Doug Ford, and the Mayor's Office to or from {an individual} and communications staff between December 7, 2010 & Dec. 25, 2011. Records relating to Toronto Star articles etc.
Tokens prepared for LDA: ['electronic', 'write', 'correspondence', 'mayor', 'mayor', 'office', 'individual', 'communication', 'staff', 'december', 'december', 'record', 'relate', 'toronto', 'article']
Original Request: A copy of the reports for {a specified address} regarding the sewers.
Tokens prepared for LDA: ['report', 'specify', 'address', 'regard', 'sewer']
Original Request: A copy of the yearly average dollar amounts for taxicab licenses and license plate sales and transfers
Tokens prepared for LDA: ['yearly', 'average', 'dollar', 'taxicab', 'license', 'license', 'plate', 'transfer']
Original Request: A copy of all building files for {a specified address} from April 2010 to present, all ML&S files from November 20. 2011 to present and all transportation files from January 2011 to present.
Tokens prepared for LDA: ['build', 'specify', 'address', 'april', 'present', 'november', 'present', 'transportation', 'january', 'present']
Original Request: A copy of any records showing the legal use of {a specified address}, i.e. multi-unit residential.
Tokens prepared for LDA: ['record', 'legal', 'specify', 'address', 'multi', 'residential']
Original Request: A copy of the final water bill for {a specified address} dated February 16, 2011. Also a copy of all water bills for account #{number removed} in 2009.
Tokens prepared for LDA: ['final', 'water', 'specify', 'address', 'february', 'water', 'account', 'remove']
Original Request: A copy of the results of RFQ 0505-11-0181 Respiratory Marks and Filters, including results of all bidders, non-compliant and compliant, as well as who it was awarded to and a detail of the product and price.
Tokens prepared for LDA: ['result', 'respiratory', 'marks', 'filter', 'include', 'result', 'bidder', 'compliant', 'compliant', 'award', 'product', 'price']
Original Request: A copy of the building permit issued in 1989 regarding {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'regard', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 20, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on February 15, 2006.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the following fire reports for {a specified address}. Fire Report No.'s F11085916, 11017222, 11104345, 11149376, and 11151736.
Tokens prepared for LDA: ['follow', 'report', 'specify', 'address}.', 'report', 'f11085916', '11017222', '11104345', '11149376', '11151736']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on December 9, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on October 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on July 17, 2011 and started behind the indicated property.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'start', 'indicate', 'property']
Original Request: A copy of the fire report for {a specified address} and attached parking lot. The incident occurred on October 10, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'attach', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on August 13, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on December 19, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Toronto. The incident occurred on December 19, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of fire incident report for {a specified address}. The incident number is F10042500 and the incident occurred on April 20, 2010.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.', 'incident', 'f10042500', 'incident', 'occur', 'april']
Original Request: A copy of any violation records from Toronto Fire Services and ML&S relating to {a specified address} after the fire broke out on Dec. 8, 2011.
Tokens prepared for LDA: ['violation', 'record', 'toronto', 'services', 'relate', 'specify', 'address', 'break', 'december']
Original Request: A copy of building inspection report for extension relating to permit number B97-06404.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'extension', 'relate', 'permit', '06404']
Original Request: A copy of all building permits and records regarding construction at {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'record', 'regard', 'construction', 'specify', 'address}.']
Original Request: Record of the licensing history of business which have been registered at 654 Sheppard Ave. W.
Tokens prepared for LDA: ['record', 'license', 'history', 'business', 'register', 'sheppard']
Original Request: A copy of building permit issued to {}. Record search from Jan. 2016 to Apr. 2017.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'record', 'search', 'january', 'april']
Original Request: Record of all Toronto Water service calls for {} in 2008 and the month of March 2017.
Tokens prepared for LDA: ['record', 'toronto', 'water', 'service', 'month', 'march']
Original Request: Record of any inquiries into open permits for {} including, notifications to the City requiring inspections and any deficiencies found. Documentation of the dates the listed permits were closed. Permit #: 05 111977 HVA 00 MS etc.
Tokens prepared for LDA: ['record', 'inquiry', 'permit', 'include', 'notification', 'require', 'inspection', 'deficiency', 'documentation', 'permit', 'close', 'permit', '111977']
Original Request: Record of all building and/or demolition permits issued to {} from 2010 to present.
Tokens prepared for LDA: ['record', 'build', 'and/or', 'demolition', 'permit', 'issue', 'present']
Original Request: All documentation (including, but not limited to, case notes, emails, third-party statements/reports) relating to all investigations for {} including the following: 17 127194 NOI 00 IR, 16 122624 PRS 00 IV, and 16 110412 PRS 00 IR) etc.
Tokens prepared for LDA: ['documentation', 'include', 'limit', 'email', 'party', 'statement', 'report', 'relate', 'investigation', 'include', 'follow', '127194', '122624', '110412']
Original Request: All 311 transcripts regarding {} from April 1, 2017 to April 6, 2017.
Tokens prepared for LDA: ['transcript', 'regard', 'april', 'april']
Original Request: Please provide the following information for ambulance response times for Toronto for 2014, 2015 and 2016 in a Microsoft Excel spreadsheet in csv. format if possible. For all calls attended by a paramedic and/or emergency medical responder: etc.
Tokens prepared for LDA: ['provide', 'follow', 'information', 'ambulance', 'response', 'toronto', 'microsoft', 'excel', 'spreadsheet', 'format', 'possible', 'attend', 'paramedic', 'and/or', 'emergency', 'medical', 'responder']
Original Request: A copy of 311 call transcript in relation to a fall incident at the Amsterdam Bridge - Harbour Front Centre on Apr. 1, 2017 at approximately 4:15 p.m., involving {}.
Tokens prepared for LDA: ['transcript', 'relation', 'incident', 'amsterdam', 'bridge', 'harbour', 'centre', 'april', 'approximately', 'involve']
Original Request: Records of all complaints in relation to renovations at {} from Mar. 2015 to present.
Tokens prepared for LDA: ['record', 'complaint', 'relation', 'renovation', 'march', 'present']
Original Request: Documentation of any business licenses issued for the completion of construction and/or general contracting work in the City of Toronto to: 1. FastTrack Realty Development Corp BN 816258776RC0001.
Tokens prepared for LDA: ['documentation', 'business', 'license', 'issue', 'completion', 'construction', 'and/or', 'general', 'contract', 'toronto', 'fasttrack', 'realty', 'development', '816258776rc0001']
Original Request: Requesting investigative notes pertaining to discussions between {}, and/or other MLS staff, and {}, and/or any other representative of MetCap Living, referred to in the above linked letter of October 18, 2011.
Tokens prepared for LDA: ['request', 'investigative', 'pertain', 'discussion', 'and/or', 'staff', 'and/or', 'representative', 'metcap', 'living', 'refer', 'letter', 'october']
Original Request: Any and all documents related to the property at {}, Scarborough, including but not limited to all inspection/inspector notes, orders to correct, permit applications, permit approvals, and work orders. Record search from July 26, 2012
Tokens prepared for LDA: ['document', 'relate', 'property', 'scarborough', 'include', 'limit', 'inspection', 'inspector', 'order', 'correct', 'permit', 'application', 'permit', 'approval', 'order', 'record', 'search']
Original Request: Any and all documents related to the property at {}, Scarborough, including but not limited to all inspection/inspector notes, orders to correct, permit applications, permit approvals, and work orders. Record search from July 3, 2012
Tokens prepared for LDA: ['document', 'relate', 'property', 'scarborough', 'include', 'limit', 'inspection', 'inspector', 'order', 'correct', 'permit', 'application', 'permit', 'approval', 'order', 'record', 'search']
Original Request: Any flood information on {}, and also any water damages ever reported by the previous owners.
Tokens prepared for LDA: ['flood', 'information', 'water', 'damage', 'report', 'previous', 'owner']
Original Request: Any and all documents related to the properties where {} of last known address {} or his company Strategic Structural Solutions Inc., Strategic Homes Group Inc., and/or Progressive Capital Inc.
Tokens prepared for LDA: ['document', 'relate', 'property', 'address', 'company', 'strategic', 'structural', 'solution', 'strategic', 'home', 'group', 'and/or', 'progressive', 'capital']
Original Request: Any and all Field Investigation - Sidewalk Patrol Logs for Beat 5, Section 6, along with any accompanying Daily Sidewalk Inspection Reports and/or hand notes. Please provide any subsequent inspection logs created until end of 2012.
Tokens prepared for LDA: ['field', 'investigation', 'sidewalk', 'patrol', 'section', 'accompany', 'daily', 'sidewalk', 'inspection', 'report', 'and/or', 'provide', 'subsequent', 'inspection', 'create']
Original Request: Any Notice Letters, Complaints, Correspondence, either to or from the City of Toronto, relating to any hazards, including but not limited to, surface discontinuities, on the sidewalks (excluding any roadways) situated along John Street (both sides).
Tokens prepared for LDA: ['notice', 'letters', 'complaint', 'correspondence', 'toronto', 'relate', 'hazard', 'include', 'limit', 'surface', 'discontinuity', 'sidewalk', 'exclude', 'roadway', 'situate', 'street']
Original Request: Any Service Request Logs, Work Order Logs and/or Cut Permits, relating to sidewalk, asphalt, concrete and/or handwell repairs, for John Street (both sides) between King Street West and Pearl Street. Record search from Aug. 26, 2011 to Aug. 25, 2012.
Tokens prepared for LDA: ['service', 'request', 'order', 'and/or', 'permit', 'relate', 'sidewalk', 'asphalt', 'concrete', 'and/or', 'handwell', 'repair', 'street', 'street', 'pearl', 'street', 'record', 'search', 'august', 'august']
Original Request: A re-release of decision letter so section 14 appeal (now closed) can be re-opened: All records related to noise complaint made by resident of {}. Record search from Mar. 2015 to present.
Tokens prepared for LDA: ['release', 'decision', 'letter', 'section', 'appeal', 'close', 'record', 'relate', 'noise', 'complaint', 'resident', 'record', 'search', 'march', 'present']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking, zoning or other approvals etc., in relation to the property etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking, zoning or other approvals etc., in relation to the property. Including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking, zoning or other approvals etc., in relation to the property. Including, StreetARToronto (StART) projects or any etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking, zoning or other approvals etc., in relation to the property. Including, StreetARToronto (StART) projects or any etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Copies of Toronto Fire inspection reports in relation to {} from Sep. 2006 to present.
Tokens prepared for LDA: ['copy', 'toronto', 'inspection', 'report', 'relation', 'september', 'present']
Original Request: All construction related documents including permits for property located at {}. Record search from 1970 to 2006.
Tokens prepared for LDA: ['construction', 'relate', 'document', 'include', 'permit', 'property', 'locate', 'record', 'search']
Original Request: A copy of animal services file in relation to dog bite incident involving {} on May 23, 2016 at {}.
Tokens prepared for LDA: ['animal', 'service', 'relation', 'incident', 'involve']
Original Request: A complete copy of building file records (permits, complaints, inspection reports etc.) for {} from Jan. 1, 1994 to Sep. 26, 2013.
Tokens prepared for LDA: ['complete', 'build', 'record', 'permit', 'complaint', 'inspection', 'report', 'january', 'september']
Original Request: Copies of building permit documents for {}, included any documented changes in the permitted use of the building. Record search from May 10, 1948 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'include', 'document', 'change', 'permit', 'build', 'record', 'search', 'present']
Original Request: Record of all deficiencies, work orders and documentation of the current status of {}.
Tokens prepared for LDA: ['record', 'deficiency', 'order', 'documentation', 'current', 'status']
Original Request: A copy of Toronto Fire records for {}. Specifically, the notes from Officers Yuri S., and Captain Ken Jackson in January 1, 2017, along with any other records available for this property. Record search Jan. , 2016 to present.
Tokens prepared for LDA: ['toronto', 'record', 'specifically', 'officer', 'captain', 'jackson', 'january', 'record', 'available', 'property', 'record', 'search', 'january', 'present']
Original Request: Copies of Toronto Building and Toronto Water files file for {}.
Tokens prepared for LDA: ['copy', 'toronto', 'building', 'toronto', 'water']
Original Request: Record of any watermain, plumbing upgrades or servicing close to or in the vicinity of {}. Record search from Apr. 5, 2017 to Apr. 6, 2017.
Tokens prepared for LDA: ['record', 'watermain', 'plumb', 'upgrade', 'service', 'close', 'vicinity', 'record', 'search', 'april', 'april']
Original Request: A copy of City of Toronto "feasibility study" with regards to renovating or replacing structures in the northwest corner of Dufferin Grove Park.
Tokens prepared for LDA: ['toronto', 'feasibility', 'study', 'regard', 'renovate', 'replace', 'structure', 'northwest', 'corner', 'dufferin', 'grove']
Original Request: All print communications, emails, phone logs and memos sent between Toronto's Freedom of Information Office and Metro Licensing and Standards with any mention of Uber, the Toronto Taxi industry and Toronto By-law 546 (the new Vehicle for Hire by-law).
Tokens prepared for LDA: ['print', 'communication', 'email', 'phone', 'toronto', 'freedom', 'information', 'office', 'metro', 'license', 'standard', 'mention', 'toronto', 'industry', 'toronto', 'vehicle']
Original Request: Records of all payments by the Uber Group of Companies to the City of Toronto as part of its .30 per ride requirement under By-law 546. Record search from Jul. 15, 2016 to Oct. 4, 2016.
Tokens prepared for LDA: ['record', 'payment', 'group', 'company', 'toronto', 'requirement', 'record', 'search', 'october']
Original Request: Any and all correspondence, emails, letters, or other communication between Metro Licensing and Standards and the Uber Group of Companies with regard to the May 2017 review of the issue of security cameras in Uber vehicles as per the review etc.
Tokens prepared for LDA: ['correspondence', 'email', 'letter', 'communication', 'metro', 'license', 'standard', 'group', 'company', 'regard', 'review', 'issue', 'security', 'camera', 'vehicle', 'review']
Original Request: Copy of the full Right of Entry permit #B538962 for {.}.
Tokens prepared for LDA: ['right', 'entry', 'permit', 'b538962']
Original Request: Copy of the full Right of Entry permit #B660106 for {}.
Tokens prepared for LDA: ['right', 'entry', 'permit', 'b660106']
Original Request: Copy of the full Right of Entry permit #B670659 for {}.
Tokens prepared for LDA: ['right', 'entry', 'permit', 'b670659']
Original Request: A copy of all building inspection reports, dates, and notes for {} under permit # 13-170428. Record search from 2013 to 2014.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'permit', '170428', 'record', 'search']
Original Request: A copy of video footage capturing resident of Westburn Manor being let out of the facility by a visitor on Mar. 13, 2017 at approximately 7:30 p.m., returning sometime around 7:35-7:40 p.m.
Tokens prepared for LDA: ['video', 'footage', 'capture', 'resident', 'westburn', 'manor', 'facility', 'visitor', 'march', 'approximately', 'return']
Original Request: A copy of ML&S report for {}. Inspection completed on Mar. 29, 2017 by A. Cioffi.
Tokens prepared for LDA: ['report', 'inspection', 'complete', 'march', 'cioffi']
Original Request: Record of any sidewalk or water leak repair in front of Don Valley Dental Center at 114 Danforth Ave. Record search from Feb. 10, 2017 to Apr. 7, 2017.
Tokens prepared for LDA: ['record', 'sidewalk', 'water', 'repair', 'valley', 'dental', 'center', 'danforth', 'record', 'search', 'february', 'april']
Original Request: Copies inspection records related to outdoor lighting conditions at {} including any e-mails pursuant to the investigation. Record search from Mar. 28, 2017 to Apr. 7, 2017. E-mails from ML&S inspector sent to Parks Properties Ltd.
Tokens prepared for LDA: ['copy', 'inspection', 'record', 'relate', 'outdoor', 'light', 'condition', 'include', 'pursuant', 'investigation', 'record', 'search', 'march', 'april', 'inspector', 'parks', 'property']
Original Request: Copies of shoring drawings SH1 through SH 2 prepared by RWD Engineering Ltd. dated Jul. 15, 2004 for construction at 2195 Yonge St. Drawings may have been submitted under one of the following permits: 20779201 & 20779202.
Tokens prepared for LDA: ['copy', 'shore', 'drawing', 'prepare', 'engineering', 'construction', 'yonge', 'drawing', 'submit', 'follow', 'permit', '20779201', '20779202']
Original Request: A copy of building permit for {} for the building of a patio. Record search from 1997 to 1999. Also, a copy of 2008 permit and licence information in relation to {}, under permit # 672543/9802691 LLC.
Tokens prepared for LDA: ['build', 'permit', 'build', 'patio', 'record', 'search', 'permit', 'licence', 'information', 'relation', 'permit', '672543/9802691']
Original Request: A copy of order issued against {} for drainage infraction in Jan. 2017. Record search from Jan. 2017 to Apr. 2017.
Tokens prepared for LDA: ['order', 'issue', 'drainage', 'infraction', 'january', 'record', 'search', 'january', 'april']
Original Request: The identity of complainant linked to Folder # 17-011547 for {} with regards to noise caused by dog.
Tokens prepared for LDA: ['identity', 'complainant', 'folder', '011547', 'regard', 'noise', 'cause']
Original Request: A copy of all building permit and inspection documents for {}.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'document']
Original Request: Copies of ML&S records pertaining to {} under file No. 4506870 & I 4116871. Record search Oct. 1, 2016 to present.
Tokens prepared for LDA: ['copy', 'record', 'pertain', '4506870', '4116871', 'record', 'search', 'october', 'present']
Original Request: Copies of ML&S records pertaining to {} under file No. 4506870 & I 4116871. Record search Oct. 1, 2016 to present.
Tokens prepared for LDA: ['copy', 'record', 'pertain', '4506870', '4116871', 'record', 'search', 'october', 'present']
Original Request: All building inspection reports for {} during 2014 renovation under building permit # 13 276118.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'renovation', 'build', 'permit', '276118']
Original Request: A copy of the work order that details the date on which additional "No parking" signs were installed along, but not necessarily limited to, the south side of Queen Elizabeth Blvd. (in Etobicoke) between Plastics Ave. and Taymall Ave.
Tokens prepared for LDA: ['order', 'additional', 'install', 'necessarily', 'limit', 'south', 'queen', 'elizabeth', 'etobicoke', 'plastic', 'taymall']
Original Request: Record of any noise complaints or other bylaw infractions brought against {} from Apr. 12, 2002 to Apr. 12, 2017.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'bylaw', 'infraction', 'bring', 'april', 'april']
Original Request: A copy of animal services file #A17-007759 In relation to dog bite incident at {}.
Tokens prepared for LDA: ['animal', 'service', '007759', 'relation', 'incident']
Original Request: All site plans submitted and all other plans and drawings submitted for a zoning review of a potential 2-storey addition to {}, under permit # 16 157083 ZZC 00 ZR. Record search from Jan. 1, 2016 to present.
Tokens prepared for LDA: ['submit', 'drawing', 'submit', 'review', 'potential', '2-storey', 'addition', 'permit', '157083', 'record', 'search', 'january', 'present']
Original Request: Any Electronic correspondence sent or received through the Office of Councillor Palacio Toronto by the Councillor or any Staff Member that Mentions Any of The Following words or phrase(s). "{} or "oakwood" or "oakwood village".
Tokens prepared for LDA: ['electronic', 'correspondence', 'receive', 'office', 'councillor', 'palacio', 'toronto', 'councillor', 'staff', 'member', 'mention', 'following', 'phrase(s', 'oakwood', 'oakwood', 'village']
Original Request: Any Electronic correspondence sent or received through the Office of Councillor Colle Toronto by the Councillor or any Staff Member that Mentions Any of The Following words or phrase(s). "{} or "oakwood" or "oakwood village" .
Tokens prepared for LDA: ['electronic', 'correspondence', 'receive', 'office', 'councillor', 'colle', 'toronto', 'councillor', 'staff', 'member', 'mention', 'following', 'phrase(s', 'oakwood', 'oakwood', 'village']
Original Request: A copy of the 2014 agreement with the Ministry of Finance for it to administer the housing allowance created through the 2013 Housing Stabilization Fund surplus (which was used to establish the Housing Allowance Reserve Fund - XQ1112 etc.
Tokens prepared for LDA: ['agreement', 'ministry', 'finance', 'administer', 'house', 'allowance', 'create', 'housing', 'stabilization', 'surplus', 'establish', 'housing', 'allowance', 'reserve', 'xq1112']
Original Request: Housing Stabilization Fund data, expressed monthly for 2016 and for December 2015 including the following: a) total number of applications; b) number of ineligible applications; c) number of eligible applications; d) the previous 3 categories etc.
Tokens prepared for LDA: ['housing', 'stabilization', 'datum', 'express', 'monthly', 'december', 'include', 'follow', 'total', 'application', 'ineligible', 'application', 'eligible', 'application', 'previous', 'category']
Original Request: The following information about the Housing Allowance funded through the Housing Allowance Reserve (XQ1112) created from the surplus funds from the 2013 Housing Stabilization Fund: a. the name of said Housing allowance program; b. Number of households etc
Tokens prepared for LDA: ['follow', 'information', 'housing', 'allowance', 'housing', 'allowance', 'reserve', 'xq1112', 'create', 'surplus', 'housing', 'stabilization', 'housing', 'allowance', 'program', 'number', 'household']
Original Request: The following information about the Housing Allowance funded through the Housing Allowance Reserve (XQ1112) created from the surplus funds from the 2013 Housing Stabilization Fund: a. the name of said Housing allowance program; b. Number of households etc
Tokens prepared for LDA: ['follow', 'information', 'housing', 'allowance', 'housing', 'allowance', 'reserve', 'xq1112', 'create', 'surplus', 'housing', 'stabilization', 'housing', 'allowance', 'program', 'number', 'household']
Original Request: The following information about the Housing Allowance funded through the Housing Allowance Reserve (XQ1112) created from the surplus funds from the 2013 Housing Stabilization Fund: a. the name of said Housing allowance program; b. Number of households etc
Tokens prepared for LDA: ['follow', 'information', 'housing', 'allowance', 'housing', 'allowance', 'reserve', 'xq1112', 'create', 'surplus', 'housing', 'stabilization', 'housing', 'allowance', 'program', 'number', 'household']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking, zoning or other approvals etc., in relation to the property. Including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'approval', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: A copy of incident report from Beaches ESS, involving {} on Mar. 22, 2016.
Tokens prepared for LDA: ['incident', 'report', 'beach', 'involve', 'march']
Original Request: A copy of demolition permit for {} from as far back as possible to present.
Tokens prepared for LDA: ['demolition', 'permit', 'possible', 'present']
Original Request: A copy of rental agreement provided to ML&S in 2013 for Mayflower Massage Places at 2351 Kennedy Rd., Unit 110.
Tokens prepared for LDA: ['rental', 'agreement', 'provide', 'mayflower', 'massage', 'place', 'kennedy']
Original Request: A copy of building file for {}.
Tokens prepared for LDA: ['build']
Original Request: A list of all property standards complaints filed against {} from 2012 to 2017.
Tokens prepared for LDA: ['property', 'standard', 'complaint']
Original Request: Copies of all building documents related to {} under permit No. 10 199591 & 10 199597.
Tokens prepared for LDA: ['copy', 'build', 'document', 'relate', 'permit', '199591', '199597']
Original Request: Any Electronic correspondence sent or received through the BIA Office of the City of Toronto by any Staff Member that Mentions Any of The Following words or phrase(s). "{} or "oakwood" or "oakwood village".
Tokens prepared for LDA: ['electronic', 'correspondence', 'receive', 'office', 'toronto', 'staff', 'member', 'mention', 'following', 'phrase(s', 'oakwood', 'oakwood', 'village']
Original Request: A copy of notice of violation and reports in relation to retaining wall at {}. Record search from Feb. 2016 to present.
Tokens prepared for LDA: ['notice', 'violation', 'report', 'relation', 'retain', 'record', 'search', 'february', 'present']
Original Request: A copy of record identifying the name of the contractor, contracting company or individual who applied for a building permit in relation to {}. Record search from Jan. 2016 to Oct. 1, 2016.
Tokens prepared for LDA: ['record', 'identify', 'contractor', 'contract', 'company', 'individual', 'apply', 'build', 'permit', 'relation', 'record', 'search', 'january', 'october']
Original Request: A complete copy of building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: Police officers' notes for Police PC Puar # 9465 (and his partner's notes) in response to a call on April 20, 2017 between approx. 6.00 and 7.00 pm at {} regarding a dispute over ownership of a dog.
Tokens prepared for LDA: ['police', 'officer', 'police', 'partner', 'response', 'april', 'approx', 'regard', 'dispute', 'ownership']
Original Request: Record of any violations of or relates to the sale of tobacco, including the violation of Smoke Free Ontario Act. Record search from Apr. 5, 2012 to Apr. 5, 2017.
Tokens prepared for LDA: ['record', 'violation', 'relate', 'tobacco', 'include', 'violation', 'smoke', 'ontario', 'record', 'search', 'april', 'april']
Original Request: Record of all fire code violations and inspections reports for {.} from 2001 to present.
Tokens prepared for LDA: ['record', 'violation', 'inspection', 'report', 'present']
Original Request: Record of all fire code violations and inspections reports for {} from 2001 to present.
Tokens prepared for LDA: ['record', 'violation', 'inspection', 'report', 'present']
Original Request: A copy of ML&S file for {} from Jan. 2014 to present.
Tokens prepared for LDA: ['january', 'present']
Original Request: A copy of ML&S file for {} from Jan. 2014 to present.
Tokens prepared for LDA: ['january', 'present']
Original Request: Copies of all building permits (open and closed) for with the {} including documentation of the initial build date. From as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'close', 'include', 'documentation', 'initial', 'build', 'possible', 'present']
Original Request: All inspector's reports including building, electrical, structural, etc. related to renovations at {} from Jan. 1, 2009 to Jan. 1, 2012.
Tokens prepared for LDA: ['inspector', 'report', 'include', 'build', 'electrical', 'structural', 'relate', 'renovation', 'january', 'january']
Original Request: Record of all orders issued against {} from Aug. 6, 2015 to present.
Tokens prepared for LDA: ['record', 'order', 'issue', 'august', 'present']
Original Request: The identity of any individual who has made an access request for permit records related to {}. Record search from Jan. 1, 2005 to Apr. 17, 2017.
Tokens prepared for LDA: ['identity', 'individual', 'access', 'request', 'permit', 'record', 'relate', 'record', 'search', 'january', 'april']
Original Request: All information relating to {} under building permits: 04-158527 DST 00 DS; 09 160546 PSA 00 PS; 09 120068 FSU 00 FS; 09 113976 BLD 00 BA; and 01 160725 CMB 00 BA.
Tokens prepared for LDA: ['information', 'relate', 'build', 'permit', '158527', '160546', '120068', '113976', '160725']
Original Request: A copy of complaint record #32195 regarding lack of hot water at {} complaint made by {} and investigated by Michael Worth on November 10, 2016.
Tokens prepared for LDA: ['complaint', 'record', '32195', 'regard', 'water', 'complaint', 'investigate', 'michael', 'worth', 'november']
Original Request: Since the "Access T.O." policy was adopted by City Council on February 20, 2013, how many formal written requests has Corporate Information Management Services received from law enforcement agencies for a City of Toronto resident's personal etc.
Tokens prepared for LDA: ['access', 'policy', 'adopt', 'council', 'february', 'formal', 'write', 'request', 'corporate', 'information', 'management', 'services', 'receive', 'enforcement', 'agency', 'toronto', 'resident', 'personal']
Original Request: A copy of 2017 animal services file records for {}.
Tokens prepared for LDA: ['animal', 'service', 'record']
Original Request: A copy of file records related to renovation project at {}, from Jan. 1, 2014 to Jan. 1, 2017.
Tokens prepared for LDA: ['record', 'relate', 'renovation', 'project', 'january', 'january']
Original Request: All records relating to lighting projects within Cedarvale Park within the last 10 years. Including (but not limited to) all project documents, engineering specifications, environmental impact assessments, public comments, procurement requests, contracts.
Tokens prepared for LDA: ['record', 'relate', 'light', 'project', 'cedarvale', 'include', 'limit', 'project', 'document', 'engineer', 'specification', 'environmental', 'impact', 'assessment', 'public', 'comment', 'procurement', 'request', 'contract']
Original Request: Any records of communications from Mayor's Office, City Manager's Office and Deputy City Manager's Office relating to the complaints filed against {}, from Sept. 30, 2016 to April 21, 2017 except ML&S.
Tokens prepared for LDA: ['record', 'communication', 'mayor', 'office', 'manager', 'office', 'deputy', 'manager', 'office', 'relate', 'complaint', 'september', 'april', 'ml&s.']
Original Request: Any records of communications from Mayor's Office, City Manager's Office and Deputy City Manager's Office relating to the complaints filed against {}, from Sept. 30, 2016 to April 21, 2017 except ML&S.
Tokens prepared for LDA: ['record', 'communication', 'mayor', 'office', 'manager', 'office', 'deputy', 'manager', 'office', 'relate', 'complaint', 'september', 'april', 'ml&s.']
Original Request: Any records of communications from Mayor's Office, City Manager's Office and Deputy City Manager's Office relating to the complaints filed against {}, from Sept. 30, 2016 to April 21, 2017 except ML&S.
Tokens prepared for LDA: ['record', 'communication', 'mayor', 'office', 'manager', 'office', 'deputy', 'manager', 'office', 'relate', 'complaint', 'september', 'april', 'ml&s.']
Original Request: Records of flood loss that occurred on July 28, 2016 at Residence of Ten York caused by the Toronto main (sewage line/main).
Tokens prepared for LDA: ['record', 'flood', 'occur', 'residence', 'cause', 'toronto', 'sewage']
Original Request: Records of flood loss that occurred on July 28, 2016 at Residenceof Ten York caused by the Toronto main (sewage line/main).
Tokens prepared for LDA: ['record', 'flood', 'occur', 'residenceof', 'cause', 'toronto', 'sewage']
Original Request: Property tax information for the Church of Scientology building at 696 Yonge St. for 2015, 2016 and 2017, including what the Church owes the City and if overdue taxes from 2015 have been paid.
Tokens prepared for LDA: ['property', 'information', 'church', 'scientology', 'build', 'yonge', 'include', 'church', 'overdue', 'taxis']
Original Request: Re: CD19.2 Appendix A, Toronto's Licensed Child Care Growth Strategy for Children under 4 2017-2026. Please provide any documentation about policies or controlling child care fees as reference on page 10 "policies will be required at the outset to contro
Tokens prepared for LDA: ['cd19.2', 'appendix', 'toronto', 'license', 'child', 'growth', 'strategy', 'child', 'provide', 'documentation', 'policy', 'control', 'child', 'reference', 'policy', 'require', 'outset', 'contro']
Original Request: A complete copy of building file for {} from Jun. 14, 1988 to present.
Tokens prepared for LDA: ['complete', 'build', 'present']
Original Request: A copy of ML&S inspection notes in relation to {} file# 4419329. Record search from Dec. 31, 2016 to Apr. 20, 2017.
Tokens prepared for LDA: ['inspection', 'relation', '4419329', 'record', 'search', 'december', 'april']
Original Request: A copy of animal services file #A17-012304, in relation to animal investigation at {}.
Tokens prepared for LDA: ['animal', 'service', '012304', 'relation', 'animal', 'investigation']
Original Request: Copies of all inspection notes related to permits: 10 268172 STS 00 DR; 10 168810 BLD 00 SR & 10 168810 PLB 00 PS for {}. Record search from Oct. 2014 to Jan. 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'relate', 'permit', '268172', '168810', '168810', 'record', 'search', 'october', 'january']
Original Request: Copy of any notices of violation or outstanding orders or directives against the property at {}, in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: A copy of letter issued to tenants of {} regarding order issued to the property to make repairs to unit following flood damage. All notes and documents related to the aforementioned investigation.
Tokens prepared for LDA: ['letter', 'issue', 'tenant', 'regard', 'order', 'issue', 'property', 'repair', 'follow', 'flood', 'damage', 'document', 'relate', 'aforementioned', 'investigation']
Original Request: A complete copy of animal services file in relation to dog bite incident involving {} on Jan. 26, 2017 at {}.
Tokens prepared for LDA: ['complete', 'animal', 'service', 'relation', 'incident', 'involve', 'january']
Original Request: All records relating to building permits for Ontario Fire Code Retrofit in relation to {} from 1993 to present.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'ontario', 'retrofit', 'relation', 'present']
Original Request: All records relating to building permits for Ontario Fire Code Retrofit in relation to {} from 1993 to present.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'ontario', 'retrofit', 'relation', 'present']
Original Request: All records relating to building permits for Ontario Fire Code Retrofit in relation to {} from 1993 to present.
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'ontario', 'retrofit', 'relation', 'present']
Original Request: All records relating to building permits for Ontario Fire Code Retrofit in relation to {} from 1993 to present
Tokens prepared for LDA: ['record', 'relate', 'build', 'permit', 'ontario', 'retrofit', 'relation', 'present']
Original Request: Copies of permit applications for {} under permit #: 09 144979 BLD 00 BA & 10 226563 BLD 00 BA.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'permit', '144979', '226563']
Original Request: Record of all open permits and related documents for {} from 2015 to present.
Tokens prepared for LDA: ['record', 'permit', 'relate', 'document', 'present']
Original Request: A copy of the entire memo forwarded by Greg Spearn and sent to city staff, which may have been copied to Giuliana Carbone and Peter Wallace, regarding Toronto Community Housing's senior's buildings portfolio and the Tenant's First Plan.
Tokens prepared for LDA: ['entire', 'forward', 'spearn', 'staff', 'giuliana', 'carbone', 'peter', 'wallace', 'regard', 'toronto', 'community', 'housing', 'senior', 'building', 'portfolio', 'tenant']
Original Request: Any communication between the Mayor's Office and members of the board of Toronto Community Housing regarding the search for a new CEO. Record search from Sep. 1, 2016 to Apr. 25, 2017.
Tokens prepared for LDA: ['communication', 'mayor', 'office', 'member', 'board', 'toronto', 'community', 'housing', 'regard', 'search', 'record', 'search', 'september', 'april']
Original Request: Re: CD19.2 Appendix A, Toronto's Licensed Child Care Growth Strategy for Children under 4 2017-2026. Please provide the sourcing/calculations and background on the average cost per space for new builds being estimated at $62900.
Tokens prepared for LDA: ['cd19.2', 'appendix', 'toronto', 'license', 'child', 'growth', 'strategy', 'child', 'provide', 'source', 'calculation', 'background', 'average', 'space', 'build', 'estimate', '62900']
Original Request: All correspondence, complaint and investigative records pertaining to the impact of construction at {.} upon {.}. Including but not limited to issues relating to the retaining wall between the 2 properties, complaints etc.
Tokens prepared for LDA: ['correspondence', 'complaint', 'investigative', 'record', 'pertain', 'impact', 'construction', 'include', 'limit', 'issue', 'relate', 'retain', 'property', 'complaint']
Original Request: All inspection notes and related records in relation to {.} under permit # 15 168312. Record search from May 20, 2015 to present.
Tokens prepared for LDA: ['inspection', 'relate', 'record', 'relation', 'permit', '168312', 'record', 'search', 'present']
Original Request: All inspection reports and notes related to construction at {} from Aug. 1, 2013 to Sep. 30, 2016.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'construction', 'august', 'september']
Original Request: A copy of inspection records and notes in relation to {}; service request #4436403. Record search from Jan. 12, 2017 to Jan. 18, 2017.
Tokens prepared for LDA: ['inspection', 'record', 'relation', 'service', 'request', '4436403', 'record', 'search', 'january', 'january']
Original Request: A copy of any work order or other service document which indicates changes in water service/supply to {}.
Tokens prepared for LDA: ['order', 'service', 'document', 'indicate', 'change', 'water', 'service', 'supply']
Original Request: Copies of orders to comply, issued to {} from Oct. 2016 to present: 2016- 263210 OTC 00 VI; 2017 138637 OTC 00 VI; 2017 147924 WPN 00VI and 2017 149359 OTC 00VI.
Tokens prepared for LDA: ['copy', 'order', 'comply', 'issue', 'october', 'present', '2016-', '263210', '138637', '147924', '149359']
Original Request: Record of all requests for pothole repairs to the intersection of Braecrest and The Westway (eastbound). Record search from 2016 to present.
Tokens prepared for LDA: ['record', 'request', 'pothole', 'repair', 'intersection', 'braecrest', 'westway', 'eastbound', 'record', 'search', 'present']
Original Request: A complete copy of 2017 arborist report pertaining to City trees at {}.
Tokens prepared for LDA: ['complete', 'arborist', 'report', 'pertain']
Original Request: Record of all notices and letters that were mailed to {} during building permit and demolition permit processes. Record search from Feb. 2, 2015 to Apr. 18, 2017.
Tokens prepared for LDA: ['record', 'notice', 'letter', 'build', 'permit', 'demolition', 'permit', 'process', 'record', 'search', 'february', 'april']
Original Request: Record of all requests for the inspection of roof damage and other minor repairs at {} including all related documents. Ref. # 4572930. Record search from Apr. 19, 2017 to present.
Tokens prepared for LDA: ['record', 'request', 'inspection', 'damage', 'minor', 'repair', 'include', 'relate', 'document', '4572930', 'record', 'search', 'april', 'present']
Original Request: Copies of all building permits issued to {} from 1978 to 1990.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue']
Original Request: Record of any lease or sub-lease agreements utilizing the name {} for {}.
Tokens prepared for LDA: ['record', 'lease', 'lease', 'agreement', 'utilize']
Original Request: In relation to 2013 building permits issued for {} the following are requested: all documents and records related to boiler, pump, roof fan, mailboxes, light fixtures, intercom, ramp, balcony of unit 202 and fence.
Tokens prepared for LDA: ['relation', 'build', 'permit', 'issue', 'follow', 'request', 'document', 'record', 'relate', 'boiler', 'mailbox', 'light', 'fixture', 'intercom', 'balcony', 'fence']
Original Request: A copy of inspection report and work order for sewer work completed at {} which later required that a portion of the sidewalk at {} be removed City crews worked on this area on April 26 and 27. 2017.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'sewer', 'complete', 'require', 'portion', 'sidewalk', 'remove', 'april']
Original Request: 1. Yearly statistics reflecting the number of persons evicted from Toronto Community Housing each year between 2007-2017 and, 2. The number of persons who had previously been evicted from a Toronto Community Housing property who re-applied for TCH residency after their eviction.
Tokens prepared for LDA: ['yearly', 'statistic', 'reflect', 'person', 'evict', 'toronto', 'community', 'housing', 'person', 'previously', 'evict', 'toronto', 'community', 'housing', 'property', 'apply', 'residency', 'eviction']
Original Request: All complaints and reports of excessive barking dogs or excessive noise coming from {}. Record search from Jan. 1, 2006 to Jan. 31, 2017.
Tokens prepared for LDA: ['complaint', 'report', 'excessive', 'excessive', 'noise', 'record', 'search', 'january', 'january']
Original Request: A copy of all records relating to road and sidewalk inspection and salting, that took place on sidewalk of {} and that adjacent to {}. Record search from Mar. 1, 2015 to Mar. 31, 2015.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'inspection', 'place', 'sidewalk', 'adjacent', 'record', 'search', 'march', 'march']
Original Request: Copies of Toronto Police Services incident reports associated with report # 333403-17 & 15733-17.
Tokens prepared for LDA: ['copy', 'toronto', 'police', 'services', 'incident', 'report', 'associate', 'report', '333403', '15733']
Original Request: A copy of building permit which reflects the date {} was changed over to a residential apartment and any documentation of when residential tenancy began.
Tokens prepared for LDA: ['build', 'permit', 'reflect', 'change', 'residential', 'apartment', 'documentation', 'residential', 'tenancy', 'begin']
Original Request: A copy of ML&S investigative file for {}, following an investigation on Apr. 20, 2017, ref. # 17141768.
Tokens prepared for LDA: ['investigative', 'follow', 'investigation', 'april', '17141768']
Original Request: Copies of all records related to {} under permit # 15 208144 PLB 00 PS.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'permit', '208144']
Original Request: Any record indicating the need for demolition of home located at {}. Record search from 2012 to 2016.
Tokens prepared for LDA: ['record', 'indicate', 'demolition', 'locate', 'record', 'search']
Original Request: Any record indicating the need for demolition of home located at {}. Record search from 2012 to 2016.
Tokens prepared for LDA: ['record', 'indicate', 'demolition', 'locate', 'record', 'search']
Original Request: A copy of report for the incident involving {} of Streets to Home on March 20, 2017 at approx. 10.45; also a video of the incident and any following report filed on March 21, 2017.
Tokens prepared for LDA: ['report', 'incident', 'involve', 'street', 'march', 'approx', '10.45', 'video', 'incident', 'follow', 'report', 'march']
Original Request: All City orders issued relating to building construction for {}., Scarborough including 2003, 2004, 2010, 2011, 2012, 2014 and 2017, and if there is any other orders issued.
Tokens prepared for LDA: ['order', 'issue', 'relate', 'build', 'construction', 'scarborough', 'include', 'order', 'issue']
Original Request: Information on any claims filed for damages to homes/properties due to water seepage/flooding, due to work done by Fer-Pal Construction Ltd./Kenco Construction Ltd. in area on/surrounding Robbins Ave., during substandard water service replacement work.
Tokens prepared for LDA: ['information', 'claim', 'damage', 'property', 'water', 'seepage', 'flood', 'construction', 'ltd./kenco', 'construction', 'surround', 'robbins', 'substandard', 'water', 'service', 'replacement']
Original Request: A copy of Public Health report written by W. Kan, Health Inspector about tenants' concern on possible black mould in basement of {}. Record search from April 28. 2017 to May 5, 2017.
Tokens prepared for LDA: ['public', 'health', 'report', 'write', 'health', 'inspector', 'tenant', 'concern', 'possible', 'black', 'mould', 'basement', 'record', 'search', 'april']
Original Request: A copy of written report from Toronto Water relating to the flooding of the basement at {}. Record search from April 6 to April 11, 2017.
Tokens prepared for LDA: ['write', 'report', 'toronto', 'water', 'relate', 'flood', 'basement', 'record', 'search', 'april', 'april']
Original Request: Please provide the permit information {}, North York from June to Oct. 2016.
Tokens prepared for LDA: ['provide', 'permit', 'information', 'north', 'october']
Original Request: Name and address of complainant for Animal Services complaint # A/7-018253. Notice was issued on April 20, 2017. Complaint was about persistent noise-making of dog owned by {}. Record search from April 10 to 20, 2017.
Tokens prepared for LDA: ['address', 'complainant', 'animal', 'services', 'complaint', '018253', 'notice', 'issue', 'april', 'complaint', 'persistent', 'noise', 'record', 'search', 'april']
Original Request: A copy of RFQ No. 6033-09-3077 for Waste Transportation / Haulage Services from City of Toronto Transfer Stations to the Green Lane Landfill Site.
Tokens prepared for LDA: ['waste', 'transportation', 'haulage', 'services', 'toronto', 'transfer', 'stations', 'green', 'landfill']
Original Request: A copy of building inspection reports for {}. Record search from Jan. 1, 1940 to May 1, 2017.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'record', 'search', 'january']
Original Request: { } Toronto, Building Inspection Reports. 1940 to May 1, 2017.
Tokens prepared for LDA: ['toronto', 'building', 'inspection', 'report']
Original Request: A copy of ML&S investigation reports and orders regarding {}, specifically those under 17 114204 PRS 00 IR; 17 110343 PRS 00 IR; 16 262850 NOI 00 IR & 16 137777 PRS 00 IR. Record search from Oct. 2008 to present.
Tokens prepared for LDA: ['investigation', 'report', 'order', 'regard', 'specifically', '114204', '110343', '262850', '137777', 'record', 'search', 'october', 'present']
Original Request: A complete copy of building file for {} From as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: All records related to construction at {} from Aug. 15, 2016 to present.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'august', 'present']
Original Request: All building inspection reports related to {} from Sep. 1, 2016 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'relate', 'september', 'present']
Original Request: A copy of zoning review application for {}.
Tokens prepared for LDA: ['review', 'application']
Original Request: Copies of all permits issued to {} including related documents for open permits (only) from 2015-2017.
Tokens prepared for LDA: ['copy', 'permit', 'issue', 'include', 'relate', 'document', 'permit']
Original Request: Copies pertaining to building permits issued to {} under permits: 205621; 204563; 193025; 191210; 191583; and 187776.
Tokens prepared for LDA: ['copy', 'pertain', 'build', 'permit', 'issue', 'permit', '205621', '204563', '193025', '191210', '191583', '187776']
Original Request: Copies pertaining to building permits issued to {.} under permits: 205621; 204563; 193025; 191210; 191583; and 187776.
Tokens prepared for LDA: ['copy', 'pertain', 'build', 'permit', 'issue', 'permit', '205621', '204563', '193025', '191210', '191583', '187776']
Original Request: Copies of all site plan applications, zoning documents, permits and planning records (prior to 2008) in relation to {}.
Tokens prepared for LDA: ['copy', 'application', 'document', 'permit', 'record', 'prior', 'relation']
Original Request: Notice of Violation issued by inspector Greg Mas on Mar. 27,2017 to {}.
Tokens prepared for LDA: ['notice', 'violation', 'issue', 'inspector', 'march', '27,2017']
Original Request: A copy of traffic camera footage of a pedestrian/vehicle accident that occurred on Apr. 27, 2017 at approximately 9:25 AM. The accident occurred on the north west corner of Yonge Street and Sheppard Avenue, North York, Ontario in front of the etc.
Tokens prepared for LDA: ['traffic', 'camera', 'footage', 'pedestrian', 'vehicle', 'accident', 'occur', 'april', 'approximately', 'accident', 'occur', 'north', 'corner', 'yonge', 'street', 'sheppard', 'avenue', 'north', 'ontario']
Original Request: Copies of plumbing inspection notes from Building Inspector David Jan, regarding renovation at {}.
Tokens prepared for LDA: ['copy', 'plumb', 'inspection', 'building', 'inspector', 'david', 'regard', 'renovation']
Original Request: Record of any charges laid under the Dog Owners' Liability Act, in relation to file #A17-000912. Record search from Apr. 1, 2017 to present.
Tokens prepared for LDA: ['record', 'charge', 'owner', 'liability', 'relation', '000912', 'record', 'search', 'april', 'present']
Original Request: Copies of building permit documents in relation to {} under permit # 38293 (1956) & B12194 (1971). Record search from Jan. 1, 1956 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'relation', 'permit', '38293', 'b12194', 'record', 'search', 'january', 'present']
Original Request: Copies of fire inspection report in relation to flooring conditions for tenanted unit at {}. Record search from Jan. 1, 2017 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relation', 'floor', 'condition', 'tenant', 'record', 'search', 'january', 'present']
Original Request: Copies of orders to comply, issued to {} from Jan. 1, 2016 to present: 2016- 263210 OTC 00 VI; 2017 138637 OTC 00 VI; 2017 149359 OTC 00VI and 2017 147924 WPN 00VI.
Tokens prepared for LDA: ['copy', 'order', 'comply', 'issue', 'january', 'present', '2016-', '263210', '138637', '149359', '147924']
Original Request: Copies of records pertaining to sewer elevation at {} for the installation of new sewer service from the aforementioned to City sewers.
Tokens prepared for LDA: ['copy', 'record', 'pertain', 'sewer', 'elevation', 'installation', 'sewer', 'service', 'aforementioned', 'sewer']
Original Request: A copy of ML&S notes in relation to investigation at {} on Jun. 26, 2013, file # 2156003.
Tokens prepared for LDA: ['relation', 'investigation', '2156003']
Original Request: Copies of architectural plans on Committee of Adjustment file for {}, file # 006-87. Record search from Jan. 1, 1987 to Mar. 31, 1987.
Tokens prepared for LDA: ['copy', 'architectural', 'committee', 'adjustment', 'record', 'search', 'january', 'march']
Original Request: ML&S inspectors' notes for 1544 Bayview Ave. - McSorley's Saloon & Grill. Record search from Jan. 21, 2016 to May 8, 2017.
Tokens prepared for LDA: ['inspector', 'bayview', 'mcsorley', 'saloon', 'grill', 'record', 'search', 'january']
Original Request: Record of the 2016 Dufferin Grove Park "income by day", using the following categories: Café; Snack Bar ; Friday Night Supper; Skate Rental Market (Bread); Market (Fee for staff); Pizza Day; Campfire and Total.
Tokens prepared for LDA: ['record', 'dufferin', 'grove', 'income', 'follow', 'category', 'snack', 'friday', 'night', 'supper', 'skate', 'rental', 'market', 'bread', 'market', 'staff', 'pizza', 'campfire', 'total']
Original Request: A copy of Notice of Issuance and all related document (application, stop work order etc.) related to building permit 15 238551 BLD 00 NH - {}.
Tokens prepared for LDA: ['notice', 'issuance', 'relate', 'document', 'application', 'order', 'relate', 'build', 'permit', '238551']
Original Request: All building record related to {} under permit 16 241989 BLD 00 SR. Record search from Jan. 9, 2016 to present.
Tokens prepared for LDA: ['build', 'record', 'relate', 'permit', '241989', 'record', 'search', 'january', 'present']
Original Request: How many by-law infraction charges have been laid against Private Transportation Company (PTC) drivers since the by-law was rewritten to include PTC companies and how many by-law infraction charges have been laid against all forms of taxicab
Tokens prepared for LDA: ['infraction', 'charge', 'private', 'transportation', 'company', 'driver', 'rewrite', 'include', 'company', 'infraction', 'charge', 'taxicab']
Original Request: A complete copy of Toronto Water records for {}; records should include service records, inspection notes/reports, any video footage, documentation of the location of clean up plates, service pipes and boundary identifiers.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'record', 'record', 'include', 'service', 'record', 'inspection', 'report', 'video', 'footage', 'documentation', 'location', 'clean', 'plate', 'service', 'boundary', 'identifier']
Original Request: All records building and ML&S records for {} included, but not limited to, permits, inspections, complaints, investigations etc. Record search from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['record', 'build', 'record', 'include', 'limit', 'permit', 'inspection', 'complaint', 'investigation', 'record', 'search', 'january', 'present']
Original Request: All information relating to Urban Forestry, arborist reports, permits for {}, Toronto, from 2011 to 2016.
Tokens prepared for LDA: ['information', 'relate', 'urban', 'forestry', 'arborist', 'report', 'permit', 'toronto']
Original Request: 311 Noise complaints against "Switches and Thangs", a car repair shop located at 160 Thirtieth Street, Toronto. Record search from the beginning of filing complaints to May 8, 2017.
Tokens prepared for LDA: ['noise', 'complaint', 'switch', 'thangs', 'repair', 'locate', 'thirtieth', 'street', 'toronto', 'record', 'search', 'begin', 'complaint']
Original Request: A copy of building inspector's notes for {} under file # 13 264093.
Tokens prepared for LDA: ['build', 'inspector', '264093']
Original Request: All documents including permit applications, correspondence for {} Toronto.
Tokens prepared for LDA: ['document', 'include', 'permit', 'application', 'correspondence', 'toronto']
Original Request: All 311 and Transportation Services records related to service request No. 4419638 and 4419667, as well as inspection notes, photos, work order and other repair specification. Record search from Dec. 31, 2016 to Jan. 1, 2017.
Tokens prepared for LDA: ['transportation', 'services', 'record', 'relate', 'service', 'request', '4419638', '4419667', 'inspection', 'photo', 'order', 'repair', 'specification', 'record', 'search', 'december', 'january']
Original Request: Copies of the terms and conditions for Request for Quotation (RFQ) # 6619-16-3093 & # 6619-15-3077, as well as the chemical component requirements of the City. Record search for 2015 & 2016.
Tokens prepared for LDA: ['copy', 'condition', 'request', 'quotation', 'chemical', 'component', 'requirement', 'record', 'search']
Original Request: A copy of order to comply issued to {} on Mar. 23, 2016, ref. # 16 131894 PRS 00IV.
Tokens prepared for LDA: ['order', 'comply', 'issue', 'march', '131894']
Original Request: Copies of inspector's notes (including deficiencies requiring correction) in relation to {}. Record search from Jul. 2016 to Jan. 2017.
Tokens prepared for LDA: ['copy', 'inspector', 'include', 'deficiency', 'require', 'correction', 'relation', 'record', 'search', 'january']
Original Request: A complete copy of building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: The identity of the person who made complaint in relation to construction activity at the property of {}. Record search from Mar. 17, 2017 to present.
Tokens prepared for LDA: ['identity', 'person', 'complaint', 'relation', 'construction', 'activity', 'property', 'record', 'search', 'march', 'present']
Original Request: All building inspection records and zoning documents for {} post the issuance of building permit in Jul. 2015. Record search from Jul. 28, 2015 to present. All letters, correspondence and notes related to the need for a new survey etc.
Tokens prepared for LDA: ['build', 'inspection', 'record', 'document', 'issuance', 'build', 'permit', 'record', 'search', 'present', 'letter', 'correspondence', 'relate', 'survey']
Original Request: A copy of CCTV camera footage of a motor vehicle accident at the intersection of Dundas St. W., and Sterling Rd., on May 6, 2017 at approximately 11:45 p.m. - 11:55 p.m. Imagery should show a green car striking a pedestrian at the intersection etc.
Tokens prepared for LDA: ['camera', 'footage', 'motor', 'vehicle', 'accident', 'intersection', 'dundas', 'sterling', 'approximately', '11:45', '11:55', 'imagery', 'green', 'strike', 'pedestrian', 'intersection']
Original Request: Any and all records in relation to sidewalk repair at or near {} between Jan. 1, 2011 and Dec. 31, 2012. Any work orders for the repair of tiles at the entryway of the premises (adjacent to referenced sidewalk), which may have been etc.
Tokens prepared for LDA: ['record', 'relation', 'sidewalk', 'repair', 'january', 'december', 'order', 'repair', 'entryway', 'premise', 'adjacent', 'reference', 'sidewalk']
Original Request: A copy of property information report for {} as well as ML&S and Toronto Fire Services inspection reports from Jan. 4, 2017 to present.
Tokens prepared for LDA: ['property', 'information', 'report', 'toronto', 'services', 'inspection', 'report', 'january', 'present']
Original Request: A copy of Municipal Access Agreement between the City of Toronto (Engineering & Construction Services Division) and Bell Canada.
Tokens prepared for LDA: ['municipal', 'access', 'agreement', 'toronto', 'engineering', 'construction', 'services', 'division', 'canada']
Original Request: Records relating to the cause of the power outage affecting homes on Davistow Crescent. The date of this power outage is May 9th 2017.
Tokens prepared for LDA: ['record', 'relate', 'cause', 'power', 'outage', 'affect', 'davistow', 'crescent', 'power', 'outage']
Original Request: A complete copy of building file for {}. From as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: Copies of all records (reports, applications, inspection notes etc.) contained within permit file for {}, file # 1997 014681 BLD 00.
Tokens prepared for LDA: ['copy', 'record', 'report', 'application', 'inspection', 'contain', 'permit', '014681']
Original Request: Any and all communication (including but not limited to e-mails, memos, briefing notes etc.) to and from the Mayor's Office regarding the legalization of Cannabis. Record search from Apr. 12, 2017 to present. Exclude media monitoring.
Tokens prepared for LDA: ['communication', 'include', 'limit', 'brief', 'mayor', 'office', 'regard', 'legalization', 'cannabis', 'record', 'search', 'april', 'present', 'exclude', 'medium', 'monitor']
Original Request: (a) A copy of the City's notes, records, and reports relating to the replacement of water shut off valve in 2004 at {}; (b) The correspondence to {} in 2004, informing him that the water shut off valve needed etc.
Tokens prepared for LDA: ['record', 'report', 'relate', 'replacement', 'water', 'valve', 'correspondence', 'inform', 'water', 'valve']
Original Request: Copies of building documents for {} in relation to permit # 17 135110 BLD 00 SR, 16 229830 BLD 00 SR and a copy of inspection documents for file # 17151444.
Tokens prepared for LDA: ['copy', 'build', 'document', 'relation', 'permit', '135110', '229830', 'inspection', 'document', '17151444']
Original Request: Copies of all documents pertaining to ML&S order issued to {} sometime between late Mar. 2017 to mid Apr. 2017.
Tokens prepared for LDA: ['copy', 'document', 'pertain', 'order', 'issue', 'march', 'april']
Original Request: All ML&S complaints, including Animal Services complaints filed against {} from April 1, 2017 to May 16, 2017.
Tokens prepared for LDA: ['complaint', 'include', 'animal', 'services', 'complaint', 'april']
Original Request: ML&S complaints filed against {} from April 1, 2017 to May 16, 2017.
Tokens prepared for LDA: ['complaint', 'april']
Original Request: Any e-mail communication either to or from Elizabeth Glibbery or Councillor Paula Fletcher or Councillor Glenn De Baeremaeker, mentioning "Hands on Exotics" OR "HoE". Record search from Jan. 1, 2013 to May 16, 2017.
Tokens prepared for LDA: ['communication', 'elizabeth', 'glibbery', 'councillor', 'paula', 'fletcher', 'councillor', 'glenn', 'baeremaeker', 'mention', 'hands', 'exotics', 'record', 'search', 'january']
Original Request: Copies of 2016 and 2017 ML&S records for {} Requested records also should include: ref. # 2016260537, 2016264743, 2016260373, 16264743, 4380409 and 4380988.
Tokens prepared for LDA: ['copy', 'record', 'request', 'record', 'include', '2016260537', '2016264743', '2016260373', '16264743', '4380409', '4380988']
Original Request: Property Information Reports and Compliance Letters (including work orders) that were issued to {}. Record search from Oct. 1, 2013 to Dec. 31, 2015.
Tokens prepared for LDA: ['property', 'information', 'report', 'compliance', 'letters', 'include', 'order', 'issue', 'record', 'search', 'october', 'december']
Original Request: Copies of Toronto Water and Toronto Building files for {} from Jan. 1, 1960 to May 1, 2017.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'toronto', 'building', 'january']
Original Request: Copies of Toronto Water work orders for {}. Record search from May 6, 2017 to May 13, 2017.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'order', 'record', 'search']
Original Request: All records (written or audio recordings) relating to contacts made by {} of {} or any other occupant of said address to the in relation to requests, reports, incidents and/or complaints involving other residents etc.
Tokens prepared for LDA: ['record', 'write', 'audio', 'recording', 'relate', 'contact', 'occupant', 'address', 'relation', 'request', 'report', 'incident', 'and/or', 'complaint', 'involve', 'resident']
Original Request: Copies of Mar. 1, 2017 assessment notes regarding excessive water flood {} ref. # I4134571.
Tokens prepared for LDA: ['copy', 'march', 'assessment', 'regard', 'excessive', 'water', 'flood', 'i4134571']
Original Request: Record of any e-mails, physical mail or other communication between Nicole Sweetapple and {} or a representative on his behalf concerning {}. Record search from Jul. 1, 2016 to present.
Tokens prepared for LDA: ['record', 'physical', 'communication', 'nicole', 'sweetapple', 'representative', 'behalf', 'concern', 'record', 'search', 'present']
Original Request: A copy of report or correspondence from the Attorney General's office, recommending against going ahead with the administrative monetary penalty system; which takes parking tickets out of the court system.
Tokens prepared for LDA: ['report', 'correspondence', 'attorney', 'general', 'office', 'recommend', 'ahead', 'administrative', 'monetary', 'penalty', 'ticket', 'court']
Original Request: A copy of pool fence enclosure for {}. Record search from 2016 to 2017.
Tokens prepared for LDA: ['fence', 'enclosure', 'record', 'search']
Original Request: Copies of ML&S and Toronto Public Health files concerning {}. Record search from May 1, 2016 to May 15, 2017.
Tokens prepared for LDA: ['copy', 'toronto', 'public', 'health', 'concern', 'record', 'search']
Original Request: Copies of ML&S and Toronto Fire investigative reports and inspections concerning {}. Record search from Jan. 1, 2016 to Mar. 31, 2017.
Tokens prepared for LDA: ['copy', 'toronto', 'investigative', 'report', 'inspection', 'concern', 'record', 'search', 'january', 'march']
Original Request: Documentation of maintenance responsibilities of entrance area between {} ref. # 460599 & 460599.
Tokens prepared for LDA: ['documentation', 'maintenance', 'responsibility', 'entrance', '460599', '460599']
Original Request: Record of any service requests for water shut off at {} in Mar. or Apr. 2017.
Tokens prepared for LDA: ['record', 'service', 'request', 'water', 'march', 'april']
Original Request: Copies of Toronto Water records associated with 311 service request No. 3093151 for {} concerning side valve repair in Dec. 2014.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'record', 'associate', 'service', 'request', '3093151', 'concern', 'valve', 'repair', 'december']
Original Request: Copies of Toronto Water and 311 service records associated with 311 service request No. 4601268 for {}, following a flood at the property.
Tokens prepared for LDA: ['copy', 'toronto', 'water', 'service', 'record', 'associate', 'service', 'request', '4601268', 'follow', 'flood', 'property']
Original Request: Copies of all building inspection reports for {} from Jan. 1, 1970 to present.
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'january', 'present']
Original Request: Record of permits, zoning amendments or changes in the permitted use of vehicles at {}. Record search from 2011 to 2014.
Tokens prepared for LDA: ['record', 'permit', 'amendment', 'change', 'permit', 'vehicle', 'record', 'search']
Original Request: Record of permits, zoning amendments or changes in the permitted use of vehicles at {}. Record search from 2011 to 2014.
Tokens prepared for LDA: ['record', 'permit', 'amendment', 'change', 'permit', 'vehicle', 'record', 'search']
Original Request: A complete copy of animal control records relating to dog bite incident involving {} - the victim and dog on Jan. 25, 2017 at {}.
Tokens prepared for LDA: ['complete', 'animal', 'control', 'record', 'relate', 'incident', 'involve', 'victim', 'january']
Original Request: A list of 311 call logs re: maintenance/complaints in relation to the sidewalk by {}; List of maintenance records at/around the incident area; List of complaints or any other relevant information in relation to this incident area etc.
Tokens prepared for LDA: ['maintenance', 'complaint', 'relation', 'sidewalk', 'maintenance', 'record', 'incident', 'complaint', 'relevant', 'information', 'relation', 'incident']
Original Request: A copy of site plan agreement for {} from the time permit for the property was issued, circa 1988.
Tokens prepared for LDA: ['agreement', 'permit', 'property', 'issue', 'circa']
Original Request: A complete copy of animal control records relating to dog bite incident involving {} on Jul. 27, 2017. ML&S file No. 351-5143.
Tokens prepared for LDA: ['complete', 'animal', 'control', 'record', 'relate', 'incident', 'involve']
Original Request: Record of noise complaints made against {} by {} of {}.
Tokens prepared for LDA: ['record', 'noise', 'complaint']
Original Request: A copy of Toronto Water inspection report following leak due to excessive rainfall at {} on May 10, 2017; ref. # 4605539.
Tokens prepared for LDA: ['toronto', 'water', 'inspection', 'report', 'follow', 'excessive', 'rainfall', '4605539']
Original Request: Copies of all records (permits, drawings, soil reports, crane pad, schedule 1, general review design etc.) related to excavation and shoring of front and east walls of {}. Record search from 2007 to 2009. All engineering/architectural etc.
Tokens prepared for LDA: ['copy', 'record', 'permit', 'drawing', 'report', 'crane', 'schedule', 'general', 'review', 'design', 'relate', 'excavation', 'shore', 'record', 'search', 'engineer', 'architectural']
Original Request: All records regarding a ML&S investigation on May 10, 2017 at {}. Record of any fire in relation to the property from Apr. 20, 2017 to present.
Tokens prepared for LDA: ['record', 'regard', 'investigation', 'record', 'relation', 'property', 'april', 'present']
Original Request: Record of all ML&S notices of violations, orders to comply and opened/closed investigation relating to {}. All correspondence between Councillor DiGiorgio and any City staff discussing NOV issued in relation to the driveway etc.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'order', 'comply', 'close', 'investigation', 'relate', 'correspondence', 'councillor', 'digiorgio', 'staff', 'discus', 'issue', 'relation', 'driveway']
Original Request: Record of the cause of water related roof collapse at {} on Mar. 17, 2017.
Tokens prepared for LDA: ['record', 'cause', 'water', 'relate', 'collapse', 'march']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking conditions in relation to the property, including, StreetARToronto (StART) projects or any related outstanding etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project', 'relate', 'outstanding']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any street parking conditions in relation to the property, including, StreetARToronto (StART) projects or any related outstanding etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project', 'relate', 'outstanding']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: Copies of work orders for open permits on {}.
Tokens prepared for LDA: ['copy', 'order', 'permit']
Original Request: Record of any existing orders or investigations regarding {} with respect to property standard issues. Any on/off street parking conditions or applications in relation to the property, including, StreetARToronto (StART) projects etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'investigation', 'regard', 'respect', 'property', 'standard', 'issue', 'street', 'condition', 'application', 'relation', 'property', 'include', 'streetartoronto', 'start', 'project']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: Audio Recordings of 311 telephone calls made by {} on Oct. 5, 2015 Ref. # 3653256 & Jan. 25, 2016 Ref. # 3797876. Call were in relation to {}.
Tokens prepared for LDA: ['audio', 'recording', 'telephone', 'october', '3653256', 'january', '3797876', 'relation']
Original Request: All e-mails, phone calls, letters, text messages, instant messages, Blackberry BBM or social media messages, notes, briefing materials, meetings or other forms of communication between John Tory or the Mayor's office and John Honderich between May 1, 2015
Tokens prepared for LDA: ['phone', 'letter', 'message', 'instant', 'message', 'blackberry', 'social', 'medium', 'message', 'brief', 'material', 'meeting', 'communication', 'mayor', 'office', 'honderich']
Original Request: Status inspection (passed or not passed) notes for {} concerning the outside bricks; sump pump; heating/cooling and HVAC; insulation and vapor barrier and thermostatic mixing valve at hot water tank. Record search from Jun. 2011 to present.
Tokens prepared for LDA: ['status', 'inspection', 'concern', 'outside', 'brick', 'insulation', 'vapor', 'barrier', 'thermostatic', 'valve', 'water', 'record', 'search', 'present']
Original Request: A copy of incident reports regarding {} who was injured while taking Hip Hop dance classes at the Ken Cox Community Centre. The incident took place on Apr. 22, 2017.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'injure', 'dance', 'class', 'community', 'centre', 'incident', 'place', 'april']
Original Request: A copy of permit application for {} under permit # 12-171663 BLD 00 SR.
Tokens prepared for LDA: ['permit', 'application', 'permit', '171663']
Original Request: Copies of Toronto Fire and Toronto Public Health inspection reports for {}. TPH inspector Richard Rampersad and Toronto Fire inspector Jade Wang.
Tokens prepared for LDA: ['copy', 'toronto', 'toronto', 'public', 'health', 'inspection', 'report', 'inspector', 'richard', 'rampersad', 'toronto', 'inspector']
Original Request: Any permits issued for the installation and placement of third party sign on the rooftop of {}. Any notices sent to the premises requesting removal of the sign or indicating that the permit was not valid.
Tokens prepared for LDA: ['permit', 'issue', 'installation', 'placement', 'party', 'rooftop', 'notice', 'premise', 'request', 'removal', 'indicate', 'permit', 'valid']
Original Request: Record of any zoning bylaw complaints filed against {} For reference, a city inspector visited the property on May 19, 2017.
Tokens prepared for LDA: ['record', 'bylaw', 'complaint', 'reference', 'inspector', 'visit', 'property']
Original Request: A copy of inspection records in relation to sink repairs at {}; reference #4601699.
Tokens prepared for LDA: ['inspection', 'record', 'relation', 'repair', 'reference', '4601699']
Original Request: A complete copy of incident report relating to dog bite incident at Wildwood Dog Park, involving a dog owned by {} and {} of {.}.
Tokens prepared for LDA: ['complete', 'incident', 'report', 'relate', 'incident', 'wildwood', 'involve']
Original Request: All permits issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['permit', 'issue', 'possible', 'present']
Original Request: A copy of 2017 public health inspection for ground floor cafeteria at 245 Fairview Mall Dr. Record search from Jan. 2017 to May 2017.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'grind', 'floor', 'cafeteria', 'fairview', 'record', 'search', 'january']
Original Request: A copy of the executed and final contract between the Toronto Transit Commission and Clever Devices Canada ULC, contract # C25PW15793 - for the procurement of a "Computer Aided Dispatch/Automatic Vehicle Location".
Tokens prepared for LDA: ['execute', 'final', 'contract', 'toronto', 'transit', 'commission', 'clever', 'devices', 'canada', 'contract', 'c25pw15793', 'procurement', 'computer', 'aid', 'dispatch', 'automatic', 'vehicle', 'location']
Original Request: A copy of Toronto Police Services investigative records concerning motor vehicle accident involving {} on Jul. 31, 2014.
Tokens prepared for LDA: ['toronto', 'police', 'services', 'investigative', 'record', 'concern', 'motor', 'vehicle', 'accident', 'involve']
Original Request: A copy of Animal Services and Public Health files pertaining to dog bite incident on Nov. 28, 2016 & Jan. 2, 2017, at {} in which {}, was bitten. Record of any historical information regarding the dog involved etc.
Tokens prepared for LDA: ['animal', 'services', 'public', 'health', 'pertain', 'incident', 'november', 'january', 'record', 'historical', 'information', 'regard', 'involve']
Original Request: A copy of original building permit issued to {}; for blocked row town homes. Record search from as far back as possible to present.
Tokens prepared for LDA: ['original', 'build', 'permit', 'issue', 'block', 'record', 'search', 'possible', 'present']
Original Request: Record of any license which may permit {} to conduct renovations on a dwelling, including but not limited to: plumbing, electrical, drywall; renovator license; certificate of apprenticeship from Ontario; certificate of qualifications etc.
Tokens prepared for LDA: ['record', 'license', 'permit', 'conduct', 'renovation', 'dwell', 'include', 'limit', 'plumb', 'electrical', 'drywall', 'renovator', 'license', 'certificate', 'apprenticeship', 'ontario', 'certificate', 'qualification']
Original Request: A copy of incident report pertaining to slip and fall incident involving {} at the Centennial Olympic Pool on May 1, 2017.
Tokens prepared for LDA: ['incident', 'report', 'pertain', 'incident', 'involve', 'centennial', 'olympic']
Original Request: Record of any standard agreements or contracts and procurement documents currently in place with Hewlett Packard (HP) a.k.a Hewlett Packard Enterprises (HPE) for fiscal years 2014, 2014, 2015, 2016 & 2017.
Tokens prepared for LDA: ['record', 'standard', 'agreement', 'contract', 'procurement', 'document', 'currently', 'place', 'hewlett', 'packard', 'a.k.a', 'hewlett', 'packard', 'enterprise', 'fiscal']
Original Request: Any documentation regarding the public/private partnership concerning the development process of the BMO Field, such as but not limited to: - Memorandum of understanding; - Financing agreement; - Development agreement; - Leasing agreement;
Tokens prepared for LDA: ['documentation', 'regard', 'public', 'private', 'partnership', 'concern', 'development', 'process', 'field', 'limit', 'memorandum', 'understand', 'financing', 'agreement', 'development', 'agreement', 'lease', 'agreement']
Original Request: A copy of order to comply issued to {}; 311 ref. # 4577004; MLS ref. # 17 150762 PRS 00 IV.
Tokens prepared for LDA: ['order', 'comply', 'issue', '4577004', '150762']
Original Request: Copies of all documents related to the winning proponent for Call document 3701-17-0218 - Dangerous Tree and Branch Removal including interview notes ad submissions pertaining to the decision of the award.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'proponent', 'document', 'dangerous', 'branch', 'removal', 'include', 'interview', 'submission', 'pertain', 'decision', 'award']
Original Request: Copy of report from Toronto Water about clearing the sewer line at {} due to the sewer line blockage on May 25, 2017. Toronto Water ticket #4634063.
Tokens prepared for LDA: ['report', 'toronto', 'water', 'clear', 'sewer', 'sewer', 'blockage', 'toronto', 'water', 'ticket', '4634063']
Original Request: A copy of fire safety plan for {}. Records search from 2006 to present
Tokens prepared for LDA: ['safety', 'record', 'search', 'present']
Original Request: A copy of Police Report for an incident on June 4, 2017 at 4.00 am. Police responded to a call at {}.
Tokens prepared for LDA: ['police', 'report', 'incident', 'police', 'respond']
Original Request: A complete copy of building file for {}.
Tokens prepared for LDA: ['complete', 'build']
Original Request: A copy of Public Health investigation report for {}. Investigation date was Nov. 27, 2014 and Investigator was Andrea Clarke.
Tokens prepared for LDA: ['public', 'health', 'investigation', 'report', 'investigation', 'november', 'investigator', 'andrea', 'clarke']
Original Request: A copy of Public Health inspection report for {} under file number 114107.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', '114107']
Original Request: Records related to odour management at 50 Ingram Drive, including: 1) Odour Management Plan 2) Operations & Maintenance Plan 3) Odour Logs 4) Odour Complaints and Responses and/or 5) Annual/Semi-Annual/Quarterly Reports.
Tokens prepared for LDA: ['record', 'relate', 'odour', 'management', 'ingram', 'drive', 'include', 'odour', 'management', 'operations', 'maintenance', 'odour', 'odour', 'complaint', 'response', 'and/or', 'annual', 'annual', 'quarterly', 'report']
Original Request: Record of all persons against whom, fire code violation charges have been laid at {}.
Tokens prepared for LDA: ['record', 'person', 'violation', 'charge']
Original Request: Record of all persons against whom, fire code violation charges have been laid at {}.
Tokens prepared for LDA: ['record', 'person', 'violation', 'charge']
Original Request: Record of all persons against whom, fire code violation charges have been laid at {}.
Tokens prepared for LDA: ['record', 'person', 'violation', 'charge']
Original Request: Any and all records regarding wall and water seepage from {} and {} or involving {}. Records may include letters, notices of violations, inspectors notes etc. Record search from Jul. 2014 to Jun. 2015.
Tokens prepared for LDA: ['record', 'regard', 'water', 'seepage', 'involve', 'record', 'include', 'letter', 'notice', 'violation', 'inspector', 'record', 'search']
Original Request: Record of payments made to Election Systems and Software each year from 2000 to 2014.
Tokens prepared for LDA: ['record', 'payment', 'election', 'system', 'software']
Original Request: Toronto Paramedic Service data on ambulance response times, department overtime budgets and missed lunch variance for the last 8 quarters if possible or if reported annually for the last two years.
Tokens prepared for LDA: ['toronto', 'paramedic', 'service', 'datum', 'ambulance', 'response', 'department', 'overtime', 'budget', 'lunch', 'variance', 'quarter', 'possible', 'report', 'annually']
Original Request: All Municipal Licensing and Standards and Toronto Public Health documents relating to {} These documents include, but are not limited to, all investigation notes, orders, photographs and reports.
Tokens prepared for LDA: ['municipal', 'license', 'standard', 'toronto', 'public', 'health', 'document', 'relate', 'document', 'include', 'limit', 'investigation', 'order', 'photograph', 'report']
Original Request: Record of: 1. the total dollars spent producing subway tokens each year, between 2010-2015; 2. the average price per subway token; 3. the total dollars spent producing Presto cards each year; 4. the average price per Presto card; etc.
Tokens prepared for LDA: ['record', 'total', 'dollar', 'spend', 'produce', 'subway', 'token', 'average', 'price', 'subway', 'token', 'total', 'dollar', 'spend', 'produce', 'presto', 'average', 'price', 'presto']
Original Request: Any e-mails between the Chief Planner and both {names removed} (individually) debating or discussing the proposed teardown of the Gardiner East and proposed future/potential development of the area.
Tokens prepared for LDA: ['chief', 'planner', 'remove', 'individually', 'debate', 'discus', 'propose', 'teardown', 'gardiner', 'propose', 'future', 'potential', 'development']
Original Request: All documents for {}. which includes, but is not limited to: building permit applications, issued building permits, City's inspection reports, City's inspection notes and consultant (engineering or architect) documents from Jan. 1, 2012 to Jul
Tokens prepared for LDA: ['document', 'include', 'limit', 'build', 'permit', 'application', 'issue', 'build', 'permit', 'inspection', 'report', 'inspection', 'consultant', 'engineer', 'architect', 'document', 'january']
Original Request: A copy of Toronto Animal Services file A 15-016683 concerning dog bite incident at {} on June 13, 2015.
Tokens prepared for LDA: ['toronto', 'animal', 'services', '016683', 'concern', 'incident']
Original Request: Copies of records for 2193054 Ontario Inc., detailing: City plate numbers, VIN numbers dates of all transactions on file: (applications, renewal dates, plate cancellations, suspensions etc.). Record search from 2008 to present.
Tokens prepared for LDA: ['copy', 'record', '2193054', 'ontario', 'plate', 'number', 'number', 'transaction', 'application', 'renewal', 'plate', 'cancellation', 'suspension', 'record', 'search', 'present']
Original Request: Complete copies of files pertaining to {} on issues of property standard, building, fire, health (grow-op), complaints, inspections and parking. Record search from 1990 to present.
Tokens prepared for LDA: ['complete', 'pertain', 'issue', 'property', 'standard', 'build', 'health', 'complaint', 'inspection', 'record', 'search', 'present']
Original Request: A copy of sewage clearance report for {} case # 3427934.
Tokens prepared for LDA: ['sewage', 'clearance', 'report', '3427934']
Original Request: Any plans, adjustments, permits, or other information relating to the property at {}, Toronto, Specifically, information on any building they intend to do.
Tokens prepared for LDA: ['adjustment', 'permit', 'information', 'relate', 'property', 'toronto', 'specifically', 'information', 'build', 'intend']
Original Request: A copy of a signed document drafted to approve an extension to be built on {.}. The drafted document was signed by {} and {}.
Tokens prepared for LDA: ['document', 'draft', 'approve', 'extension', 'build', 'draft', 'document']
Original Request: Building Permits that were issued and what was use for entire property at {},Toronto.
Tokens prepared for LDA: ['building', 'permit', 'issue', 'entire', 'property', 'toronto']
Original Request: Building permit records, history report, violations, work orders for {} from 2002 to present.
Tokens prepared for LDA: ['building', 'permit', 'record', 'history', 'report', 'violation', 'order', 'present']
Original Request: Building permit records, history report, violations, work orders for {} from 2002 to present.
Tokens prepared for LDA: ['building', 'permit', 'record', 'history', 'report', 'violation', 'order', 'present']
Original Request: Record-level data of reports of bicycle thefts in Toronto from Jan. 1, 2010 to July 7, 2015.
Tokens prepared for LDA: ['record', 'level', 'datum', 'report', 'bicycle', 'theft', 'toronto', 'january']
Original Request: Purchase price paid for acquisition of property at {addresses removed} by City of Toronto, from Jan. 1, 2015 to July 3, 2015.
Tokens prepared for LDA: ['purchase', 'price', 'acquisition', 'property', 'address', 'remove', 'toronto', 'january']
Original Request: Copy of incident report for the city-owned maple tree at the front of {}. A branch had fallen down on June 27, 2015. Also, maintenance history of the tree, any past tree removal/maintenance inquiries or complaints.
Tokens prepared for LDA: ['incident', 'report', 'maple', 'branch', 'maintenance', 'history', 'removal', 'maintenance', 'inquiry', 'complaint']
Original Request: Copy of ML&S inspection performed on {}, Toronto, Owners of that property. Inspector in charge: Carleen Blissett. Inspection estimated period May to June/2015.
Tokens prepared for LDA: ['inspection', 'perform', 'toronto', 'owner', 'property', 'inspector', 'charge', 'carleen', 'blissett', 'inspection', 'estimate', 'period', 'june/2015']
Original Request: Police report relating to the incident that occurred on May 25, 2015 at {} between {} and two TPS officers.
Tokens prepared for LDA: ['police', 'report', 'relate', 'incident', 'occur', 'officer']
Original Request: Record of the number of dog bite reports made to Toronto Public Health and Toronto Animal Services by members of the public, TPS, hospitals, veterinarians and 311; for injuries sustained by persons and other animals. Record search from 2006 to present.
Tokens prepared for LDA: ['record', 'report', 'toronto', 'public', 'health', 'toronto', 'animal', 'services', 'member', 'public', 'hospital', 'veterinarian', 'injury', 'sustain', 'person', 'animal', 'record', 'search', 'present']
Original Request: Record of inspection reports including a list of all inspections and report logs for {}.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'include', 'inspection', 'report']
Original Request: A copy of traffic camera capture of motor vehicle collision at the intersection of Sheppard Ave. E. and Neilson Rd. on Aug. 1, 2014 from 5:00 PM to 5:30 PM involving a 2011 black BMW, and a white vehicle.
Tokens prepared for LDA: ['traffic', 'camera', 'capture', 'motor', 'vehicle', 'collision', 'intersection', 'sheppard', 'neilson', 'august', 'involve', 'black', 'white', 'vehicle']
Original Request: Architectural plans, drawings, buildingp permits, City approvals on plumbing, electrical, framing for {}. Also need architect's contact name and phone number.
Tokens prepared for LDA: ['architectural', 'drawing', 'buildingp', 'permit', 'approval', 'plumb', 'electrical', 'frame', 'architect', 'contact', 'phone']
Original Request: Architectural plans, drawings, building permits, City approvals on plumbing, electrical, framing for {}. Also need architect's contact name and phone number.
Tokens prepared for LDA: ['architectural', 'drawing', 'build', 'permit', 'approval', 'plumb', 'electrical', 'frame', 'architect', 'contact', 'phone']
Original Request: All available information re: application to amend zoning by-law to permit 4 storey hotel under file # 07236958 ESC 38 0Z, for {} including purpose to amend, names of applicants, cost of process, details of process
Tokens prepared for LDA: ['available', 'information', 'application', 'amend', 'permit', 'storey', 'hotel', '07236958', 'include', 'purpose', 'amend', 'applicant', 'process', 'process']
Original Request: Building plans and documents for {}. Record search to be as far as possible.
Tokens prepared for LDA: ['building', 'document', 'record', 'search', 'possible']
Original Request: Building plans and documents for {}, Scarborough. Record search to be as far back as possible.
Tokens prepared for LDA: ['building', 'document', 'scarborough', 'record', 'search', 'possible']
Original Request: City of Toronto contract awarded to Language Marketplace Inc., for language translation services (RFP 9112-14-7204) -Provision for Written Translation Services, closed on December 8, 2014.
Tokens prepared for LDA: ['toronto', 'contract', 'award', 'language', 'marketplace', 'language', 'translation', 'service', '-provision', 'write', 'translation', 'services', 'close', 'december']
Original Request: All the notes related to the water main break on March 21, 2015 at {} including when the water main was repaired, whether there is any chance that there could still be another leak in the same area. Search from March 21 to March 27, 2015
Tokens prepared for LDA: ['relate', 'water', 'break', 'march', 'include', 'water', 'repair', 'chance', 'search', 'march', 'march']
Original Request: All e-mails between the below stated people concerning the creation, preparation and delivery. of a presentation titled "Scarborough Subway Extension EA" (Coordinated Transit Consultation Program Public Information Centre) delivered June 13-25, 2015
Tokens prepared for LDA: ['state', 'people', 'concern', 'creation', 'preparation', 'delivery', 'presentation', 'title', 'scarborough', 'subway', 'extension', 'coordinate', 'transit', 'consultation', 'program', 'public', 'information', 'centre', 'deliver']
Original Request: All documentation relating to {} from ML&S and Ombudsman's Office from Oct. 2012 to present.
Tokens prepared for LDA: ['documentation', 'relate', 'ombudsman', 'office', 'october', 'present']
Original Request: All documentation relating to {} from ML&S and Ombudsman's Office from Oct. 2012 to present.
Tokens prepared for LDA: ['documentation', 'relate', 'ombudsman', 'office', 'october', 'present']
Original Request: A copy of plumbing report for {}, Toronto, most recent available, probably 1974.
Tokens prepared for LDA: ['plumb', 'report', 'toronto', 'recent', 'available', 'probably']
Original Request: Copy of legal non-conforming permitted use letter for Paramount Auto Body Ltd. at 61 Crockford Blvd., Scarborough.
Tokens prepared for LDA: ['legal', 'conform', 'permit', 'letter', 'paramount', 'crockford', 'scarborough']
Original Request: Results of inspection of underground water service pipe which supplies water to {} and got frozen on Feb. 25, 2015. Ref # 840730.. Record search from Feb. 25, 2015 to April 7, 2015.
Tokens prepared for LDA: ['result', 'inspection', 'underground', 'water', 'service', 'supply', 'water', 'freeze', 'february', '840730', 'record', 'search', 'february', 'april']
Original Request: Complete file pertaining to any bed bug complaints against the Howard Johnson Hotel at 14 Roncesvalles Ave. from Oct. 2011 to Oct. 2013.
Tokens prepared for LDA: ['complete', 'pertain', 'complaint', 'howard', 'johnson', 'hotel', 'roncesvalles', 'october', 'october']
Original Request: A copy of any and all inspection reports, notices of violation or other notices issued by the City under the City's Property Standards By-law or Building Code re: {}, from Jan. 2012 to present.
Tokens prepared for LDA: ['inspection', 'report', 'notice', 'violation', 'notice', 'issue', 'property', 'standard', 'building', 'january', 'present']
Original Request: Records pertaining to on-street parking permits, orders, violations etc., for {}
Tokens prepared for LDA: ['record', 'pertain', 'street', 'permit', 'order', 'violation']
Original Request: All records, documents, minutes, contracts, permits, specifications, related to the Caribana/Scotiaback Caribbean Festival and any reports and investigations arising therefrom. Record search from 2006 to 2014.
Tokens prepared for LDA: ['record', 'document', 'minute', 'contract', 'permit', 'specification', 'relate', 'caribana', 'scotiaback', 'caribbean', 'festival', 'report', 'investigation', 'arise', 'therefrom', 'record', 'search']
Original Request: Copies of all tender documentation relating to the Queen St. sidewalk repair (near the intersection of Alymer Ave. - Beaches Toronto) for the period from 2010 up to the completion of the repairs in 2014. This includes but is not limited to: etc.
Tokens prepared for LDA: ['copy', 'tender', 'documentation', 'relate', 'queen', 'sidewalk', 'repair', 'intersection', 'alymer', 'beach', 'toronto', 'period', 'completion', 'repair', 'include', 'limit']
Original Request: Copies of all tender documentation relating to the Queen St. sidewalk repair (near the intersection of Alymer Ave. - Beaches Toronto) for the period from 2010 up to the completion of the repairs in 2014. This includes but is not limited to: etc.
Tokens prepared for LDA: ['copy', 'tender', 'documentation', 'relate', 'queen', 'sidewalk', 'repair', 'intersection', 'alymer', 'beach', 'toronto', 'period', 'completion', 'repair', 'include', 'limit']
Original Request: A copy of records in respect of the investigation by ML&S into a Zoning By-law infraction/violation regarding {} concerning the installation of mechanical/pool equipment in the side yard abutting property at {}. etc.
Tokens prepared for LDA: ['record', 'respect', 'investigation', 'zoning', 'infraction', 'violation', 'regard', 'concern', 'installation', 'mechanical', 'equipment', 'property']
Original Request: Any records of complaints made against {} including, any notes or records of any City workers that have attended the address and any other records, notes, e-mails, correspondence, applications, documents that are relevant.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'record', 'worker', 'attend', 'address', 'record', 'correspondence', 'application', 'document', 'relevant']
Original Request: Any records of complaints made against {} including, any notes or records of any City workers that have attended the address and any other records, notes, e-mails, correspondence, applications, documents that are relevant.
Tokens prepared for LDA: ['record', 'complaint', 'include', 'record', 'worker', 'attend', 'address', 'record', 'correspondence', 'application', 'document', 'relevant']
Original Request: Any records of complaints made against {} by {} and the number of times City staff came to {} as a result of complaints from 2005 to present.
Tokens prepared for LDA: ['record', 'complaint', 'staff', 'result', 'complaint', 'present']
Original Request: Record of the average response delay for dead animal removal.
Tokens prepared for LDA: ['record', 'average', 'response', 'delay', 'animal', 'removal']
Original Request: Copies of documents in relation to building permit # 12-116839: May 1, 2012 report for work order no. 5321 & 5315; May 1, 2012 engineers' reports for reinforced foundation walls (5321) around basement entrance and photos (5317) of the foundations etc.
Tokens prepared for LDA: ['copy', 'document', 'relation', 'build', 'permit', '116839', 'report', 'order', 'engineer', 'report', 'reinforce', 'foundation', 'basement', 'entrance', 'photo', 'foundation']
Original Request: Record of any open or closed permits for {} including, violations, work orders and inspection notes (passes and failures).
Tokens prepared for LDA: ['record', 'close', 'permit', 'include', 'violation', 'order', 'inspection', 'failure']
Original Request: Record of any documents indication the location, demolition or extension of any garages, trees or any other buildings on property located at {}; which would determine property boundary lines. Any documentation of the boundary depth.
Tokens prepared for LDA: ['record', 'document', 'indication', 'location', 'demolition', 'extension', 'garage', 'building', 'property', 'locate', 'determine', 'property', 'boundary', 'documentation', 'boundary', 'depth']
Original Request: Copies of fire and ML&S inspection reports for {} in relation to complaint # 3414746. Record search from Jun. 25-30, 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relation', 'complaint', '3414746', 'record', 'search']
Original Request: A copy of MLS report regarding dog (Pom/Shih Tzu mix) owned by {}; which was involved in an attack incident at Sunnybrook Park on Jul. 4, 2015.
Tokens prepared for LDA: ['report', 'regard', 'involve', 'attack', 'incident', 'sunnybrook']
Original Request: A copy of the Festival Management Committee (FMC) records including minute book, by law, constitution. Toronto Mas Bands Association records including by laws, minute book and constitution.
Tokens prepared for LDA: ['festival', 'management', 'committee', 'record', 'include', 'minute', 'constitution', 'toronto', 'band', 'association', 'record', 'include', 'minute', 'constitution']
Original Request: Information relating to any repair work completed on water main located in front of {}; water main work order main ID #: WND WJ1017777 to WND WJ1017511, district SO22, St. Paul's (22), MAP #51K-21.
Tokens prepared for LDA: ['information', 'relate', 'repair', 'complete', 'water', 'locate', 'water', 'order', 'wj1017777', 'wj1017511', 'district', '51k-21']
Original Request: A copy of Imex Systems Inc. proposal; the evaluation of Imex Systems Inc. proposal; copy of winning proposals evaluation for RFP "MobilePayments program" for the Toronto Parking Authority made by Passport Parking LLC as awarded in Feb. 2014.
Tokens prepared for LDA: ['system', 'proposal', 'evaluation', 'system', 'proposal', 'proposal', 'evaluation', 'mobilepayments', 'program', 'toronto', 'parking', 'authority', 'passport', 'parking', 'award', 'february']
Original Request: All requests and 311 calls reporting property deficiencies at {}; Record search from Sep. 2011 to present.
Tokens prepared for LDA: ['request', 'report', 'property', 'deficiency', 'record', 'search', 'september', 'present']
Original Request: Complete copies of files regarding {} including violations, building inspections and notes, permits, application forms, zoning/planning documents and engineers letters and notes. Record search from Jan. 1, 2007 to Apr. 30, 2012.
Tokens prepared for LDA: ['complete', 'regard', 'include', 'violation', 'build', 'inspection', 'permit', 'application', 'document', 'engineer', 'letter', 'record', 'search', 'january', 'april']
Original Request: Any and all Toronto Fire Services inspection records and/or other related documents for to {} pertaining to enforcement of the Fire Protection and Prevention Act filed from December 22013 to June 2015 etc.
Tokens prepared for LDA: ['toronto', 'services', 'inspection', 'record', 'and/or', 'relate', 'document', 'pertain', 'enforcement', 'protection', 'prevention', 'december', '22013']
Original Request: Documents requested in relation to head injury sustained by {} who was hit by the mechanical arms of a Green for Life garbage truck on November 11, 2014, at {}.
Tokens prepared for LDA: ['document', 'request', 'relation', 'injury', 'sustain', 'mechanical', 'green', 'garbage', 'truck', 'november']
Original Request: Work order and report on the inspection conducted in regards to the standing water in the pool at {} on Jun. 30, 2015.
Tokens prepared for LDA: ['order', 'report', 'inspection', 'conduct', 'regard', 'stand', 'water']
Original Request: All records that include (but are not limited to) e-mails, letters, notes, briefing notes and reports between the Mayor's office (including Mayor John Tory and his staff) and Toronto Public Health (including the Chief Medical Officer and his staff).
Tokens prepared for LDA: ['record', 'include', 'limit', 'letter', 'brief', 'report', 'mayor', 'office', 'include', 'mayor', 'staff', 'toronto', 'public', 'health', 'include', 'chief', 'medical', 'officer', 'staff']
Original Request: Records relating to waste water management at {} currently tenanted by 2462552 Ontario Inc. Record search from Jan. 1, 2011 to Jul. 15, 2015.
Tokens prepared for LDA: ['record', 'relate', 'waste', 'water', 'management', 'currently', 'tenant', '2462552', 'ontario', 'record', 'search', 'january']
Original Request: A copy of special events permit issued for the use of Fairmount Park (ward 32) for the Fairmount Park Farmers' Market on Wednesdays for 2014 and 2015. Record search from Jan. 2003 to Dec. 31, 2015.
Tokens prepared for LDA: ['special', 'event', 'permit', 'issue', 'fairmount', 'fairmount', 'farmer', 'market', 'wednesday', 'record', 'search', 'january', 'december']
Original Request: A copy of 311 request for handicapped parking spot review due to poor signage across from 401 College St, reference # 3134182. Also, any additional records of complaints with regards parking at this location. Record search Jan. 1, 2015 to present.
Tokens prepared for LDA: ['request', 'handicap', 'review', 'signage', 'college', 'reference', '3134182', 'additional', 'record', 'complaint', 'regard', 'location', 'record', 'search', 'january', 'present']
Original Request: A copy of historical building file information for {} from 2004 to present, including records pertaining to most recently opened permits.
Tokens prepared for LDA: ['historical', 'build', 'information', 'present', 'include', 'record', 'pertain', 'recently', 'permit']
Original Request: A copy of historical building file information for {} from 2004 to present, including records pertaining to most recently opened permits following a fire at the above address.
Tokens prepared for LDA: ['historical', 'build', 'information', 'present', 'include', 'record', 'pertain', 'recently', 'permit', 'follow', 'address']
Original Request: Copies of all building permit applications, inspections notes and records for {} from Jan. 1, 2005 to Jul. 2, 2015.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'inspection', 'record', 'january']
Original Request: A copy of building permit issued to Shell Canada/Allerton Investments at 230 Lloydmanor at the corner of Eglinton and Lloydmanor; some time in March 2003. Record search from Jan. 2003 to Jun. 2003.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'shell', 'canada', 'allerton', 'investment', 'lloydmanor', 'corner', 'eglinton', 'lloydmanor', 'march', 'record', 'search', 'january']
Original Request: A copy of the Personal Service Settings License and Application including, the Certificate of Insurance (submitted or which was in place during Aug. 2013) and all appended documents for Gift and Jewels Tattoo & Piercing.
Tokens prepared for LDA: ['personal', 'service', 'setting', 'license', 'application', 'include', 'certificate', 'insurance', 'submit', 'place', 'august', 'append', 'document', 'jewel', 'tattoo', 'pierce']
Original Request: 1. Copies of all complaints made regarding improper sidewalk winter maintenance between January 1, 2009 to date for the area bordered by Wellesley St. E., Parliament St., Gerrard St., and Sumach St.
Tokens prepared for LDA: ['copy', 'complaint', 'regard', 'improper', 'sidewalk', 'winter', 'maintenance', 'january', 'border', 'wellesley', 'parliament', 'gerrard', 'sumach']
Original Request: All documents related to {} permit #88-092711BLD (except the drawings), including the final City's closing letter for this permit which addresses construction performed as per permit drawings and standards, as well as the City Inspector's.
Tokens prepared for LDA: ['document', 'relate', 'permit', '092711bld', 'drawing', 'include', 'final', 'close', 'letter', 'permit', 'address', 'construction', 'perform', 'permit', 'drawing', 'standard', 'inspector']
Original Request: A copy of the building inspection report for {} including, a complete copy of ML&S complaints and report records as they pertain to deck repairs at the above address. Record search from Jan. 1, 2005 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'include', 'complete', 'complaint', 'report', 'record', 'pertain', 'repair', 'address', 'record', 'search', 'january', 'present']
Original Request: A copy of the building inspection report for {} including, a complete copy of ML&S complaints and report records as they pertain to deck repairs at the above address. Record search from Jan. 1, 2005 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'include', 'complete', 'complaint', 'report', 'record', 'pertain', 'repair', 'address', 'record', 'search', 'january', 'present']
Original Request: A copy of the building inspection report for {} including, a complete copy of ML&S complaints and report records as they pertain to deck repairs at the above address. Record search from Jan. 1, 2005 to present.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'include', 'complete', 'complaint', 'report', 'record', 'pertain', 'repair', 'address', 'record', 'search', 'january', 'present']
Original Request: A copy of common area inspection report for {} which is connected to {}, from Toronto Fire specifically pertaining to parking violations.
Tokens prepared for LDA: ['common', 'inspection', 'report', 'connect', 'toronto', 'specifically', 'pertain', 'violation']
Original Request: All e-mails and correspondence that refer to {} from the office of Councillor Joe Mihevc from 2000 to present.
Tokens prepared for LDA: ['correspondence', 'refer', 'office', 'councillor', 'mihevc', 'present']
Original Request: All documents and records generated in the review of permit applications to landscape the front yard at {} including, all records of verbal and written complaints, comments, objections and the like with the names not redacted.
Tokens prepared for LDA: ['document', 'record', 'generate', 'review', 'permit', 'application', 'landscape', 'include', 'record', 'verbal', 'write', 'complaint', 'comment', 'objection', 'redact']
Original Request: All documents related to {} including investigative information. Record search from Jan. 1, 2005 to present.
Tokens prepared for LDA: ['document', 'relate', 'include', 'investigative', 'information', 'record', 'search', 'january', 'present']
Original Request: A copy of inspection notes related to building permit No. 09-179080, property address is {},
Tokens prepared for LDA: ['inspection', 'relate', 'build', 'permit', '179080', 'property', 'address']
Original Request: Records pertaining to The Matador also known as The Matador Ballroom at 466 Dovercourt Rd., including but not limited to: all legal opinions, heritage issues, e-mails, letters, staff reports and communications involving etc.
Tokens prepared for LDA: ['record', 'pertain', 'matador', 'matador', 'ballroom', 'dovercourt', 'include', 'limit', 'legal', 'opinion', 'heritage', 'issue', 'letter', 'staff', 'report', 'communication', 'involve']
Original Request: Records pertaining to The Matador also known as The Matador Ballroom at 466 Dovercourt Rd., including but not limited to: all legal opinions, heritage issues, e-mails, letters, staff reports and communications involving etc.
Tokens prepared for LDA: ['record', 'pertain', 'matador', 'matador', 'ballroom', 'dovercourt', 'include', 'limit', 'legal', 'opinion', 'heritage', 'issue', 'letter', 'staff', 'report', 'communication', 'involve']
Original Request: A complete copy of file pertaining to {} file no. {S741}, now {}.
Tokens prepared for LDA: ['complete', 'pertain']
Original Request: A copy of ML&S file # 90 137668 PRS 00 IR. Property address is {}
Tokens prepared for LDA: ['137668', 'property', 'address']
Original Request: Copies of communication to, from and within the Mayor's Office, including but not limited to e-mails, text messages, memos, briefing notes about Kanye West. Record search from Jul. 14, 2015 to Jul. 16, 2015.
Tokens prepared for LDA: ['copy', 'communication', 'mayor', 'office', 'include', 'limit', 'message', 'brief', 'kanye', 'record', 'search']
Original Request: All building permits issued to {} from 2010 to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'present']
Original Request: The number and location of private residential plots with more than one house or residence. Including record of any second structure or residence being added to them. Documents should note addresses or wards of the plots.
Tokens prepared for LDA: ['location', 'private', 'residential', 'house', 'residence', 'include', 'record', 'structure', 'residence', 'document', 'address']
Original Request: A copy of Public Health file regarding dog bite incident involving {} on May 11, 2014.
Tokens prepared for LDA: ['public', 'health', 'regard', 'incident', 'involve']
Original Request: A copy of Toronto Animal Services file regarding dog bit incident involving {} on July 14, 2014 at Pickle Barrel, Sherway Gardens.
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'regard', 'incident', 'involve', 'pickle', 'barrel', 'sherway', 'garden']
Original Request: A copy of 911 call or transcript recording made by {} regarding {} for trespassing on Jun. 1, 2015.
Tokens prepared for LDA: ['transcript', 'record', 'regard', 'trespass']
Original Request: A copy of driveway permit No. 67310301 for {}.
Tokens prepared for LDA: ['driveway', 'permit', '67310301']
Original Request: A complete copy of building and planning files for {}. Record search from 1963 to 2015.
Tokens prepared for LDA: ['complete', 'build', 'record', 'search']
Original Request: Copies of service requests #6070455 and #6203629 relating to sidewalk on Tunmead Square, together with all records and photos taken in relation to any work carried out as a result of that request.
Tokens prepared for LDA: ['copy', 'service', 'request', '6070455', '6203629', 'relate', 'sidewalk', 'tunmead', 'square', 'record', 'photo', 'relation', 'carry', 'result', 'request']
Original Request: A copy of site visit records pertaining to {} by Transportation staff: Kevin Hurley and Rebecca O and from Mike McKeown of Toronto Building Dept.; site visit records etc.
Tokens prepared for LDA: ['visit', 'record', 'pertain', 'transportation', 'staff', 'kevin', 'hurley', 'rebecca', 'mckeown', 'toronto', 'building', 'visit', 'record']
Original Request: A copy of site visit records pertaining to {} by Transportation staff: Kevin Hurley and Rebecca O and from Mike McKeown of Toronto Building Dept.; site visit records etc.
Tokens prepared for LDA: ['visit', 'record', 'pertain', 'transportation', 'staff', 'kevin', 'hurley', 'rebecca', 'mckeown', 'toronto', 'building', 'visit', 'record']
Original Request: Sewage maintenance records for {} in relation to sewer backup which occurred on Oct. 28, 2013, as follows: (a) All of the notes, records, and reports related to the failure of the sewer line and the City's involvement etc.
Tokens prepared for LDA: ['sewage', 'maintenance', 'record', 'relation', 'sewer', 'backup', 'occur', 'october', 'follow', 'record', 'report', 'relate', 'failure', 'sewer', 'involvement']
Original Request: Sewage maintenance records for {} in relation to sewer backup which occurred on Oct. 28, 2013, as follows: (a) All of the notes, records, and reports related to the failure of the sewer line and the City's involvement etc.
Tokens prepared for LDA: ['sewage', 'maintenance', 'record', 'relation', 'sewer', 'backup', 'occur', 'october', 'follow', 'record', 'report', 'relate', 'failure', 'sewer', 'involvement']
Original Request: Sewage maintenance records for {} in relation to water main break which occurred on Jul. 27, 2013, as follows: (a) All of the notes, records, and reports related to the failure of the water main etc.
Tokens prepared for LDA: ['sewage', 'maintenance', 'record', 'relation', 'water', 'break', 'occur', 'follow', 'record', 'report', 'relate', 'failure', 'water']
Original Request: Record identifying the individual who made a complaint about shed construction on property located at {}. Record search from May 2015 to present.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complaint', 'construction', 'property', 'locate', 'record', 'search', 'present']
Original Request: A copy of site visit records pertaining to {} by Transportation staff: Kevin Hurley and Rebecca O and from Mike McKeown of Toronto Building Dept.; site visit records etc.
Tokens prepared for LDA: ['visit', 'record', 'pertain', 'transportation', 'staff', 'kevin', 'hurley', 'rebecca', 'mckeown', 'toronto', 'building', 'visit', 'record']
Original Request: All records for Toronto Shangri-La, located at 180 University Ave., including but not limited to, permits, notes, correspondence (electronic and physical), photographs, and orders related to the permitting, installation, breakages and damage etc.
Tokens prepared for LDA: ['record', 'toronto', 'shangri', 'locate', 'university', 'include', 'limit', 'permit', 'correspondence', 'electronic', 'physical', 'photograph', 'order', 'relate', 'permit', 'installation', 'breakage', 'damage']
Original Request: All permits (incl. those from previous home owner) and inspectors' notes regarding {} from 2004 to 2008.
Tokens prepared for LDA: ['permit', 'previous', 'owner', 'inspector', 'regard']
Original Request: A copy of garbage bin order documentation for {}, ref. bin # 65G029114. Record search from Jun. - Jul., 2015.
Tokens prepared for LDA: ['garbage', 'order', 'documentation', '65g029114', 'record', 'search']
Original Request: A copy of the transcript and audio recordings for 911 call made on Aug. 10, 2008 between 4 am-7am from {}.
Tokens prepared for LDA: ['transcript', 'audio', 'recording', 'august', 'am-7am']
Original Request: Copies of inspection reports and building compliance documentation for {}. Record search from Jul. 1, 2011 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'build', 'compliance', 'documentation', 'record', 'search', 'present']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street']
Original Request: All information relating the installation of the rooftop exhaust fan at {.} including and certifier. All MLS investigative information related to noise violations, including reports, their associated raw supporting data collected etc.
Tokens prepared for LDA: ['information', 'relate', 'installation', 'rooftop', 'exhaust', 'include', 'certifier', 'investigative', 'information', 'relate', 'noise', 'violation', 'include', 'report', 'associate', 'support', 'datum', 'collect']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street']
Original Request: A complete copy of Toronto Water and 311 files for {}.
Tokens prepared for LDA: ['complete', 'toronto', 'water']
Original Request: A copy of fire inspection report for {} and any other documents related to the above address. Record search from Jan. 2015 to Jun. 23, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'document', 'relate', 'address', 'record', 'search', 'january']
Original Request: A copy of building permit for {}. Record search from Mar. 11, 2011 to Mar. 1, 2013.
Tokens prepared for LDA: ['build', 'permit', 'record', 'search', 'march', 'march']
Original Request: Following noise complaint investigation at {}, ref. No. 3381943 on July 22, 2015. The following is requested: 1. any correspondence exchanged between the City of Toronto (including, but not limited to: City Planning Staff; City Building etc.
Tokens prepared for LDA: ['following', 'noise', 'complaint', 'investigation', '3381943', 'follow', 'request', 'correspondence', 'exchange', 'toronto', 'include', 'limit', 'planning', 'staff', 'building']
Original Request: A copy of any maintenance contract, policy and/or schedule with respect to the salting, sanding and clearing of snow for Mountview Ave. between Glenlake Ave. and Bloor St. W., and Bloor St. W. between Keele St. and Oakmount Rd.
Tokens prepared for LDA: ['maintenance', 'contract', 'policy', 'and/or', 'schedule', 'respect', 'clear', 'mountview', 'glenlake', 'bloor', 'bloor', 'keele', 'oakmount']
Original Request: Record of zoning regulations, applications, orders etc. concerning trees on the property of {}.
Tokens prepared for LDA: ['record', 'regulation', 'application', 'order', 'concern', 'property']
Original Request: A complete copy of building file for {} as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A complete copy of building file for {} as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: All records pertaining to investigations at {}, including the following investigation request: Jul. 16, 2015, reference 15 191712 ZON 00 IR; Sep. 12, 2014, reference 14 220994 PRS 00 IR etc.
Tokens prepared for LDA: ['record', 'pertain', 'investigation', 'include', 'follow', 'investigation', 'request', 'reference', '191712', 'september', 'reference', '220994']
Original Request: A current listing of all the locations of all city-owned land with no buildings or structures on them. Record search from Jan. 1, 2005 to Dec. 31, 2014.
Tokens prepared for LDA: ['current', 'location', 'building', 'structure', 'record', 'search', 'january', 'december']
Original Request: The number of requests from the public to invite the mayor to events for this year and each of the past five years (2010 to 2014) and, for each year, a breakdown of the number of accepted and denied requests. Also, a short description of each of the event.
Tokens prepared for LDA: ['request', 'public', 'invite', 'mayor', 'event', 'breakdown', 'accept', 'request', 'short', 'description', 'event']
Original Request: The number of requests for greetings, proclamations, letters of greeting and messages and congratulatory scrolls; from the mayor for this year and each of the past five years (2010 to 2014) and, for each year, a breakdown of the number of accepted etc.
Tokens prepared for LDA: ['request', 'greeting', 'proclamation', 'letter', 'greet', 'message', 'congratulatory', 'scroll', 'mayor', 'breakdown', 'accept']
Original Request: A list of requests for raising flags on City Hall's courtesy flagpole for this year and each of the past five years (2010 to 2014) and, for each year, a breakdown of the number of accepted and denied requests. Also, a short description of each of denied.
Tokens prepared for LDA: ['request', 'raise', 'courtesy', 'flagpole', 'breakdown', 'accept', 'request', 'short', 'description']
Original Request: Record of laboratory results and analysis in response to material (finely ground dust, paint scrapings, vegetation and fabric fiber) samples taken by the MOE and Toronto Public Health (TPH) in Jan. 2014 from the balconies of residents in the area etc.
Tokens prepared for LDA: ['record', 'laboratory', 'result', 'analysis', 'response', 'material', 'finely', 'grind', 'paint', 'scraping', 'vegetation', 'fabric', 'fiber', 'sample', 'toronto', 'public', 'health', 'january', 'balcony', 'resident']
Original Request: Snow clearing records on the eastbound FG Gardiner Expressway at or around the Jameson exit at or around 1:15 p.m. on March 3, 2015.
Tokens prepared for LDA: ['clear', 'record', 'eastbound', 'gardiner', 'expressway', 'jameson', 'march']
Original Request: Record of any permits issued to {} prior to 1986, specifically for the additions of a basement kitchen and family room built on top of the concrete patio. Record search as far back as possible to Dec. 31, 1986.
Tokens prepared for LDA: ['record', 'permit', 'issue', 'prior', 'specifically', 'addition', 'basement', 'kitchen', 'family', 'build', 'concrete', 'patio', 'record', 'search', 'possible', 'december']
Original Request: Any materials related to articles of blog posts, either written or pending by {} or {} from Jun. 25, 2015 to Jun. 26, 2015. Requester specified "materials" could refer to e-mails discussing the articles or blog posts.
Tokens prepared for LDA: ['material', 'relate', 'article', 'write', 'requester', 'specify', 'material', 'refer', 'discus', 'article']
Original Request: A copy of video footage captured at Toronto Archives parking lot on July 21, 2015 between 8.09 pm and 8.17 pm.
Tokens prepared for LDA: ['video', 'footage', 'capture', 'toronto', 'archives']
Original Request: Construction plans/drawings and permits issued for construction work done at {}. The project was done in 2004 by the General Contractor identified as Urbacon.
Tokens prepared for LDA: ['construction', 'drawing', 'permit', 'issue', 'construction', 'project', 'general', 'contractor', 'identify', 'urbacon']
Original Request: 311 call reference number and record of complaint re: City tree located in front of {}, from Jan. 2013 to Jan. 2015.
Tokens prepared for LDA: ['reference', 'record', 'complaint', 'locate', 'january', 'january']
Original Request: Report of Retrofit of two unit residential occupancy of the Ontario Fire Code for {}, from 2005 to 2008,.
Tokens prepared for LDA: ['report', 'retrofit', 'residential', 'occupancy', 'ontario']
Original Request: Copies of sidewalk inspection and maintenance reports for the area of {} two years prior to Feb. 21, 2014. Including, complaints and any post-accident remedial measures taken to the area.
Tokens prepared for LDA: ['copy', 'sidewalk', 'inspection', 'maintenance', 'report', 'prior', 'february', 'include', 'complaint', 'accident', 'remedial', 'measure']
Original Request: A copy of building permit applications {12-201329} issued permits and drawings for retaining wall at {} from 2011 to present.
Tokens prepared for LDA: ['build', 'permit', 'application', '201329', 'issue', 'permit', 'drawing', 'retain', 'present']
Original Request: A copy of application {12-197677 BLD 00 NB} for {} re-zoning site plan approvals, condo registration and drawings from 2010 to present.
Tokens prepared for LDA: ['application', '197677', 'approval', 'condo', 'registration', 'drawing', 'present']
Original Request: A copy of application {12-197677 BLD 00 NB} for {} re-zoning site plan approvals, condo registration and drawings from 2010 to present.
Tokens prepared for LDA: ['application', '197677', 'approval', 'condo', 'registration', 'drawing', 'present']
Original Request: A copy of complaints records relating to the condition of the sidewalk between {} at Eglinton Ave. W. from Jan. 2010 to present.
Tokens prepared for LDA: ['complaint', 'record', 'relate', 'condition', 'sidewalk', 'eglinton', 'january', 'present']
Original Request: Information on the constructions permits on the street at University Ave. and Front St., in particular escavation on of the payment on University Ave. S/B at Front St., from April 1, 2013 to July 20, 2013.
Tokens prepared for LDA: ['information', 'construction', 'permit', 'street', 'university', 'particular', 'escavation', 'payment', 'university', 'april']
Original Request: Building inspections and property standards inspections files for {}. File numbers are: 2015-181504 NOI 00 IR; 15 187 131; 342 6518; 15 171 982;15 15 7789BR; 332 3397.
Tokens prepared for LDA: ['building', 'inspection', 'property', 'standard', 'inspection', 'number', '181504', '982;15', '7789br']
Original Request: A copy of permit application # {1219677 BLD 00 NB} {} including all approved permits and drawings from 2011 to 2015.
Tokens prepared for LDA: ['permit', 'application', '1219677', 'include', 'approve', 'permit', 'drawing']
Original Request: A copy of permit application # {12124719 BLD 00 NB} {} including all issued permits and drawings from 2011 to 2015.
Tokens prepared for LDA: ['permit', 'application', '12124719', 'include', 'issue', 'permit', 'drawing']
Original Request: A copy of permit application # {12124719 BLD 00 NB} {} including all issued permits and drawings from 2011 to 2015.
Tokens prepared for LDA: ['permit', 'application', '12124719', 'include', 'issue', 'permit', 'drawing']
Original Request: A copy of permit application # {112901329 BLD 00 NB} {} (Banquet Hall) including all issued permits and drawings from 2010 to 2015.
Tokens prepared for LDA: ['permit', 'application', '112901329', 'banquet', 'include', 'issue', 'permit', 'drawing']
Original Request: A copy of permit application # {112901329 BLD 00 NB} {} (Banquet Hall) including all issued permits and drawings from 2010 to 2015.
Tokens prepared for LDA: ['permit', 'application', '112901329', 'banquet', 'include', 'issue', 'permit', 'drawing']
Original Request: Copies of inspection reports, notes and work orders for pipe/frozen pipe maintenance at {} from 2011 to present.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'order', 'freeze', 'maintenance', 'present']
Original Request: A copy of order issued to {} investigation # {15 193014 PRS 001}. Record search Jun. 1, 2015 to present.
Tokens prepared for LDA: ['order', 'issue', 'investigation', '193014', '001}.', 'record', 'search', 'present']
Original Request: Documents related to the sun/shadow study of 279-283 Yonge St., third party signage. Record search from Jan.1, 1999 to Jan. 1, 2010.
Tokens prepared for LDA: ['document', 'relate', 'shadow', 'study', 'yonge', 'party', 'signage', 'record', 'search', 'jan.1', 'january']
Original Request: A copy of dine safe inspection reports and orders for New Seaway Fish Market located at 195 Bladwin Ave., from Jan. 27, 2013 to Feb. 2013.
Tokens prepared for LDA: ['inspection', 'report', 'order', 'seaway', 'market', 'locate', 'bladwin', 'january', 'february']
Original Request: Information pertaining to all City of Toronto unclaimed cheques drawn between Jan. 1, 2014 to Dec. 31, 2014 and still outstanding by Jul. 1, 2015. Records should reflect: the check #, check date, amount and name of beneficiary.
Tokens prepared for LDA: ['information', 'pertain', 'toronto', 'unclaimed', 'cheque', 'january', 'december', 'outstanding', 'record', 'reflect', 'check', 'check', 'beneficiary']
Original Request: Record of lab results and correspondence regarding contamination of catch basin on the property owned by Cargam Investments Ltd. Inspector Lynsey Bordne. Record search from Jul. 7, 2015 to present.
Tokens prepared for LDA: ['record', 'result', 'correspondence', 'regard', 'contamination', 'catch', 'basin', 'property', 'cargam', 'investment', 'inspector', 'lynsey', 'bordne', 'record', 'search', 'present']
Original Request: Copies of any Zoning Bylaw Notices, Ontario Building Code Notices, or any other notices issued by Toronto Building with respect to {} from October 1. 2008 and September 16, 2011.
Tokens prepared for LDA: ['copy', 'zoning', 'bylaw', 'notice', 'ontario', 'building', 'notice', 'notice', 'issue', 'toronto', 'building', 'respect', 'october', 'september']
Original Request: A copy of investigation file for {} concerning maintenance repairs request originally submitted in Oct. 2013. ML&S officer Stephen Tetrault inspected the unit in Apr. 2014.
Tokens prepared for LDA: ['investigation', 'concern', 'maintenance', 'repair', 'request', 'originally', 'submit', 'october', 'officer', 'stephen', 'tetrault', 'inspect', 'april']
Original Request: Correspondence involving John Tory and the Office of the Mayor regarding the potential for Toronto to host the 2024 Olympic Summer Games. Specifically: 1. All requests below are for the time period 1 April 2015 - 31 July 2015 etc.
Tokens prepared for LDA: ['correspondence', 'involve', 'office', 'mayor', 'regard', 'potential', 'toronto', 'olympic', 'summer', 'game', 'specifically', 'request', 'period', 'april']
Original Request: Copies of plans or documents relating to {}, relating to the building, including plans, permits, orders to comply, violations, reports (inspections or otherwise). Record search from Jan. 1, 1950 to Aug. 1, 2015.
Tokens prepared for LDA: ['copy', 'document', 'relate', 'relate', 'build', 'include', 'permit', 'order', 'comply', 'violation', 'report', 'inspection', 'record', 'search', 'january', 'august']
Original Request: A copy of Toronto Water file records for {} with regards to grants, subsidies, flood prevention and sewer line replacements and repairs from 1998 to present.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'regard', 'grant', 'subsidy', 'flood', 'prevention', 'sewer', 'replacement', 'repair', 'present']
Original Request: A copy of sign variance decision and reports for {} file # 08-158072.
Tokens prepared for LDA: ['variance', 'decision', 'report', '158072']
Original Request: A copy of sign variance decision and reports for {} file # 08-158067.
Tokens prepared for LDA: ['variance', 'decision', 'report', '158067']
Original Request: A copy of mould inspection report for investigation of bedroom located at {}. Inspector Yee-Ahmad Ahmadas. Record search Jul. 2014 to present.
Tokens prepared for LDA: ['mould', 'inspection', 'report', 'investigation', 'bedroom', 'locate', 'inspector', 'ahmad', 'ahmadas', 'record', 'search', 'present']
Original Request: Record of past (inactive) records pertaining to {} as follows: Committee of Certificate rulings, inspection reports, restoration reports, violation notices/orders, investigation documents etc.
Tokens prepared for LDA: ['record', 'inactive', 'record', 'pertain', 'follow', 'committee', 'certificate', 'ruling', 'inspection', 'report', 'restoration', 'report', 'violation', 'notice', 'order', 'investigation', 'document']
Original Request: Any communication between Animal Control Officer Rick Ray concerning owners of {} and their dog. A copy of report from Animal Hospital regarding dog which was attacked by dog at {}.
Tokens prepared for LDA: ['communication', 'animal', 'control', 'officer', 'concern', 'owner', 'report', 'animal', 'hospital', 'regard', 'attack']
Original Request: Records pertaining to {} as follows: 1. Plans, surveys and permits; 2. Boundaries to surrounding neighbors. 3. Business occupancy history including length of time occupied; 4. Types of licenses issued in the past etc.
Tokens prepared for LDA: ['record', 'pertain', 'follow', 'plan', 'survey', 'permit', 'boundary', 'surround', 'neighbor', 'business', 'occupancy', 'history', 'include', 'length', 'occupy', 'type', 'license', 'issue']
Original Request: Any and all documentation with respect to building permit issued Jan. 4, 2011 for {} owned by {} and {}. Record search from Nov. 2009 to Jan. 2011.
Tokens prepared for LDA: ['documentation', 'respect', 'build', 'permit', 'issue', 'january', 'record', 'search', 'november', 'january']
Original Request: Any records existing for previous environmental investigations conducted at a former landfill facility active for 18 months in 1960 -1961, at the current location of 2685 Kingston Road in Toronto (Scarborough), at the southwest corner of the intersection.
Tokens prepared for LDA: ['record', 'exist', 'previous', 'environmental', 'investigation', 'conduct', 'landfill', 'facility', 'active', 'month', '-1961', 'current', 'location', 'kingston', 'toronto', 'scarborough', 'southwest', 'corner', 'intersection']
Original Request: All e-mails and written correspondence between Mayor John Tory or the Office of the Mayor and Bob Richardson, Exec. Vice-President of Public Affairs at Edelman Canada etc.
Tokens prepared for LDA: ['write', 'correspondence', 'mayor', 'office', 'mayor', 'richardson', 'president', 'public', 'affairs', 'edelman', 'canada']
Original Request: The number of tickets issued for improperly using a disabled parking spot in Toronto for each year from 01/01/2005 - 01/08/2015. Total monies these tickets represented in fines each year and the location of the top-10 ticketed disabled parking spots.
Tokens prepared for LDA: ['ticket', 'issue', 'improperly', 'disable', 'toronto', '01/01/2005', '01/08/2015', 'total', 'money', 'ticket', 'represent', 'location', 'top-10', 'ticket', 'disable']
Original Request: Record of all occurrences and books notes for incidents at the property of {} and any information related to {}.
Tokens prepared for LDA: ['record', 'occurrence', 'incident', 'property', 'information', 'relate']
Original Request: Copies of all feedback comments received by the Urban Forestry dept. following tree removal application for {} form Jun. 23 to Jul. 14, 2015.
Tokens prepared for LDA: ['copy', 'feedback', 'comment', 'receive', 'urban', 'forestry', 'follow', 'removal', 'application']
Original Request: Record of the permit history and all other related documents for {} as a rental property.
Tokens prepared for LDA: ['record', 'permit', 'history', 'relate', 'document', 'rental', 'property']
Original Request: Record of the amount of taxes levied for property at {} for 2013 and 2014.
Tokens prepared for LDA: ['record', 'taxis', 'property']
Original Request: A copy of the occupancy permit for {} related to permit # 04.195606.
Tokens prepared for LDA: ['occupancy', 'permit', 'relate', 'permit', '04.195606']
Original Request: Record of zoning regulations, applications, orders etc. concerning trees on the property of {}.
Tokens prepared for LDA: ['record', 'regulation', 'application', 'order', 'concern', 'property']
Original Request: In relation to Parkland Dedication Requirements imposed by the City of Toronto upon proposed development at {} the following is requested etc.
Tokens prepared for LDA: ['relation', 'parkland', 'dedication', 'requirement', 'impose', 'toronto', 'propose', 'development', 'follow', 'request']
Original Request: Records of building orders or complaints for {}, Etobicoke.
Tokens prepared for LDA: ['record', 'build', 'order', 'complaint', 'etobicoke']
Original Request: All violations and orders for {} for 2015 and 2014, including the most recent order dated July 20, 2015 is included and also the violation or order for {} which a complaint was filed to 311 on June 4, 2014.
Tokens prepared for LDA: ['violation', 'order', 'include', 'recent', 'order', 'include', 'violation', 'order', 'complaint']
Original Request: Copies of any and all records relating to Switch Nightclub at 55 Colborne St., including but not limited to records of by-law infractions, inspection reports, inspector's notes, and all records regarding police being summoned to the premises.
Tokens prepared for LDA: ['copy', 'record', 'relate', 'switch', 'nightclub', 'colborne', 'include', 'limit', 'record', 'infraction', 'inspection', 'report', 'inspector', 'record', 'regard', 'police', 'summon', 'premise']
Original Request: All records from Building and ML&S relating to the roof issue at {} including name of contractor, costs of work done, outcome of court case, what work was done, any follow up work done.
Tokens prepared for LDA: ['record', 'building', 'relate', 'issue', 'include', 'contractor', 'outcome', 'court', 'follow']
Original Request: Record of fire inspection records for {} including reports, notes, records and all documents (including sound recordings videotapes, films, photographs, maps, plans, surveys, book accounts, and data and information in electronic etc.)
Tokens prepared for LDA: ['record', 'inspection', 'record', 'include', 'report', 'record', 'document', 'include', 'sound', 'recording', 'videotape', 'photograph', 'survey', 'account', 'datum', 'information', 'electronic']
Original Request: Any work orders or deficiency notices for Hove Cocksfield Ltd. Partnership p/f B'Nai Brith Congregation Synagogue (Non-Profit) Inc. at 15 Hove St., Toronto.
Tokens prepared for LDA: ['order', 'deficiency', 'notice', 'cocksfield', 'partnership', "b'nai", 'brith', 'congregation', 'synagogue', 'profit', 'toronto']
Original Request: Record of the current status of the following notices of violation issued by Toronto water and whether the matters described per these violations have been acted upon or resolved. 1. C 681-NOV-14D-2012-01457-20262 2. C 681-NOV-14D-2011-00866-20262 etc.
Tokens prepared for LDA: ['record', 'current', 'status', 'follow', 'notice', 'violation', 'issue', 'toronto', 'water', 'matter', 'violation', 'resolve', '681-nov-14d-2012', '01457', '20262', '681-nov-14d-2011', '00866', '20262']
Original Request: Records pertaining to on-street parking permits, orders, violations etc., for {}.
Tokens prepared for LDA: ['record', 'pertain', 'street', 'permit', 'order', 'violation']
Original Request: A complete copy of ML&S investigation file for {,} including the tenant's request, all correspondence and pictures. Ref. file # 14-125574 PRS 00 IV and 15-194716 PRS 00 IV. Record search Mar. 1, 2014 to Jul. 31, 2015.
Tokens prepared for LDA: ['complete', 'investigation', 'include', 'tenant', 'request', 'correspondence', 'picture', '125574', '194716', 'record', 'search', 'march']
Original Request: A complete copy of ML&S investigation file for {,} including the tenant's request, all correspondence and pictures. Ref. file # 14-125574 PRS 00 IV and 15-194716 PRS 00 IV. Record search Mar. 1, 2014 to Jul. 31, 2015.
Tokens prepared for LDA: ['complete', 'investigation', 'include', 'tenant', 'request', 'correspondence', 'picture', '125574', '194716', 'record', 'search', 'march']
Original Request: Copies of complete files or documents on file pertaining to {}: 15-114167 PRS, 15-117769 PRS, 15-117768 PRS, 15-114167 PRS, 14-263763 PRS in relation to violations, work orders and a list of the number of complaints etc.
Tokens prepared for LDA: ['copy', 'complete', 'document', 'pertain', '114167', '117769', '117768', '114167', '263763', 'relation', 'violation', 'order', 'complaint']
Original Request: Record of all permits and documentation issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['record', 'permit', 'documentation', 'issue', 'possible', 'present']
Original Request: A complete copy of Toronto Water file for {} including any inspection reports, video recordings etc.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'include', 'inspection', 'report', 'video', 'recording']
Original Request: Information of existing utilities/services (Water ,Gas Storm Sewer, Hydro) off T-shaped laneway in downtown Toronto between Foxley street and Argyle Street and Dovercourt Road and Foxley Place; just northwest corner of Ossington Avenue and Argyle Street.
Tokens prepared for LDA: ['information', 'exist', 'utility', 'service', 'water', 'storm', 'sewer', 'hydro', 'shape', 'laneway', 'downtown', 'toronto', 'foxley', 'street', 'argyle', 'street', 'dovercourt', 'foxley', 'place', 'northwest', 'corner', 'ossington', 'avenue', 'argyle', 'street']
Original Request: Record of basement plumbing and drainage permit applications and inspection reports including any supplemental documentation related to demolition and reconstruction by D. Fidani & Sons Ltd of {}, sometime between late 2005.
Tokens prepared for LDA: ['record', 'basement', 'plumb', 'drainage', 'permit', 'application', 'inspection', 'report', 'include', 'supplemental', 'documentation', 'relate', 'demolition', 'reconstruction', 'fidani']
Original Request: Record of basement plumbing and drainage permit applications and inspection reports including any supplemental documentation related to demolition and reconstruction by D. Fidani & Sons Ltd of {}, sometime between late 2005.
Tokens prepared for LDA: ['record', 'basement', 'plumb', 'drainage', 'permit', 'application', 'inspection', 'report', 'include', 'supplemental', 'documentation', 'relate', 'demolition', 'reconstruction', 'fidani']
Original Request: Record of any building history records for {}.
Tokens prepared for LDA: ['record', 'build', 'history', 'record']
Original Request: A copy of building permits along with inspector's comments on the progress for {} from 1984 to 1987.
Tokens prepared for LDA: ['build', 'permit', 'inspector', 'comment', 'progress']
Original Request: Record of any City order to demolish structure at {}, violation notices, inspection records or reports following City official visit to the property. Record search Oct. 1, 2013 to Nov. 1, 2014.
Tokens prepared for LDA: ['record', 'order', 'demolish', 'structure', 'violation', 'notice', 'inspection', 'record', 'report', 'follow', 'official', 'visit', 'property', 'record', 'search', 'october', 'november']
Original Request: Inspector notes for building permit # 12-254984 relating to garage repairs at {} in 2012. Record search to be from Sept. 2012 to the date work was completed and signed off.
Tokens prepared for LDA: ['inspector', 'build', 'permit', '254984', 'relate', 'garage', 'repair', 'record', 'search', 'september', 'complete']
Original Request: Any records, notes, photographs, reports relating to inspections of {} also known as Folder # 15 156 774 PRS 00 IV, from Jan. 3, 2015 to present.
Tokens prepared for LDA: ['record', 'photograph', 'report', 'relate', 'inspection', 'folder', 'january', 'present']
Original Request: Record of phone calls made to 311 for complaints about the fence at {}. Record search from Feb. 9, 2015 to Feb. 28, 2015.
Tokens prepared for LDA: ['record', 'phone', 'complaint', 'fence', 'record', 'search', 'february', 'february']
Original Request: The number of tickets given in 2013 and 2014 for licensing infractions for body-rub parlours, adult entertainment clubs, and holistic centre and practitioner licenses (Toronto Municipal Code, Chapter 545, Articles XXXI, XXXII, and XI, respectively).
Tokens prepared for LDA: ['ticket', 'license', 'infraction', 'parlour', 'adult', 'entertainment', 'holistic', 'centre', 'practitioner', 'license', 'toronto', 'municipal', 'chapter', 'article', 'xxxii', 'respectively']
Original Request: How many by-law officers are working for COT and whether they are separately allocated to different areas, eg. mobile license, taxi, food etc., or whether all the by-law officers are deployed to any and all licensing matters.
Tokens prepared for LDA: ['officer', 'separately', 'allocate', 'different', 'mobile', 'license', 'officer', 'deploy', 'license', 'matter']
Original Request: Building permit for {} along with inspector's comments on progress, from 1984 to 1986.
Tokens prepared for LDA: ['building', 'permit', 'inspector', 'comment', 'progress']
Original Request: A list of all BIA (Office of Economic Development) contracts for the years 2010 to 2014 inclusive. The contracts' list should provide 1) the original RFQ submitted for pricing, 2) the contractors and sub-contractors engaged etc.
Tokens prepared for LDA: ['office', 'economic', 'development', 'contract', 'inclusive', 'contract', 'provide', 'original', 'submit', 'price', 'contractor', 'contractor', 'engage']
Original Request: Please provide the most recent Permit to Discharge Water to the city sewer system at {}. Please provide as much detail including the source of the water, discharge rate and discharge start/end date.
Tokens prepared for LDA: ['provide', 'recent', 'permit', 'discharge', 'water', 'sewer', 'provide', 'include', 'source', 'water', 'discharge', 'discharge', 'start']
Original Request: Whether or not there are notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds.
Tokens prepared for LDA: ['notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass']
Original Request: Whether or not there are notices of violations or outstanding orders or directives against the property at {} in connection with the by-law enforcements respecting cutting the grass and weeds, pursuant to Chapter 489 of the Municipal Code.
Tokens prepared for LDA: ['notice', 'violation', 'outstanding', 'order', 'directive', 'property', 'connection', 'enforcement', 'respect', 'grass', 'pursuant', 'chapter', 'municipal']
Original Request: All information filed for permit or construction applications including zoning and committee of adjustments pertaining to {} from June 1, 2012 to Aug. 10, 2015.
Tokens prepared for LDA: ['information', 'permit', 'construction', 'application', 'include', 'committee', 'adjustment', 'pertain', 'august']
Original Request: Copy of video footage for August 12, 2015 between 12.50 pm and 1.08 pm at the court house at 2700 Eglinton Ave. W, York Civic Centre, the area where the clerks were located.
Tokens prepared for LDA: ['video', 'footage', 'august', '12.50', 'court', 'house', 'eglinton', 'civic', 'centre', 'clerk', 'locate']
Original Request: Copies of studies and reports related to sewer infrastructure on Kingsgate Crescent and Summitcrest Drive in Etobicoke, conducted between 2013 and 2015
Tokens prepared for LDA: ['copy', 'study', 'report', 'relate', 'sewer', 'infrastructure', 'kingsgate', 'crescent', 'summitcrest', 'drive', 'etobicoke', 'conduct']
Original Request: Any and all correspondence - e-mail, letters, etc. - between City Councillor Jim Karygiannis and the Toronto Taxi Alliance, Diamond Taxi, Co-op Cabs, Beck Taxi, Uber, Peter Zahakos, Glenn De Baeremaeker, Cesar Palacio, and Kristine Hubbard, from Sep 2014.
Tokens prepared for LDA: ['correspondence', 'letter', 'councillor', 'karygiannis', 'toronto', 'alliance', 'diamond', 'peter', 'zahakos', 'glenn', 'baeremaeker', 'cesar', 'palacio', 'kristine', 'hubbard']
Original Request: Copies of all open Building Code, Fire Code, and/or Zoning Code violations or Notices To Comply, copies of most recent building inspection and fire inspection reports for {}
Tokens prepared for LDA: ['copy', 'building', 'and/or', 'zoning', 'violation', 'notice', 'comply', 'recent', 'build', 'inspection', 'inspection', 'report']
Original Request: All building permits, planning and heritage applications and/or correspondence relating to {} from 1976 to present.
Tokens prepared for LDA: ['build', 'permit', 'heritage', 'application', 'and/or', 'correspondence', 'relate', 'present']
Original Request: Copies of tax receipts pertaining to {} for the years 2012 and 2013. Roll number 19-04-05-2-550-04400-0000-05.
Tokens prepared for LDA: ['copy', 'receipt', 'pertain', '04400']
Original Request: Copies of all notes, and letter associated with service requests # 3484761 including Toronto Water report on {}. Inspector Trevor.
Tokens prepared for LDA: ['copy', 'letter', 'associate', 'service', 'request', '3484761', 'include', 'toronto', 'water', 'report', 'inspector', 'trevor']
Original Request: A copy of noise report for {}, testing was performed on Wednesday July 22, 2015 by Michael Antoniou of ML&S. Record search from Jun. 1, 2015 to Aug. 7, 2015.
Tokens prepared for LDA: ['noise', 'report', 'perform', 'wednesday', 'michael', 'antoniou', 'ml&s.', 'record', 'search', 'august']
Original Request: A complete copy of the animal services report, ref. # 343 5007 on the dog attack on July 1, 2015 at 1220h. Including, detailed copies of statements from the involved parties, their names, addresses and any photos that are included.
Tokens prepared for LDA: ['complete', 'animal', 'service', 'report', 'attack', '1220h', 'include', 'statement', 'involve', 'party', 'address', 'photo', 'include']
Original Request: Hard copies of detailed records and statuses of all complaints made in relation to {} including, all case notes, dates, reason for complaints and results after each investigation.
Tokens prepared for LDA: ['record', 'status', 'complaint', 'relation', 'include', 'reason', 'complaint', 'result', 'investigation']
Original Request: Copies of Committee of Adjustment file (A0649/11TEY) and building permit plans for {}.
Tokens prepared for LDA: ['copy', 'committee', 'adjustment', 'a0649/11tey', 'build', 'permit']
Original Request: Copies of Committee of Adjustment file (A0649/11TEY) and building permit plans for {}.
Tokens prepared for LDA: ['copy', 'committee', 'adjustment', 'a0649/11tey', 'build', 'permit']
Original Request: Copies of Committee of Adjustment file (A0649/11TEY) and building permit plans for {}.
Tokens prepared for LDA: ['copy', 'committee', 'adjustment', 'a0649/11tey', 'build', 'permit']
Original Request: Record of the number of 311 complaints made by {} since 1964 to present against {} of {}.
Tokens prepared for LDA: ['record', 'complaint', 'present']
Original Request: Copies of all documents the City of Toronto has on file with respect to the construction project at {addresses removed} in Toronto.
Tokens prepared for LDA: ['copy', 'document', 'toronto', 'respect', 'construction', 'project', 'address', 'remove', 'toronto']
Original Request: A copy of City citation for illegal basement at {} between Jun. 16-18, 2015.
Tokens prepared for LDA: ['citation', 'illegal', 'basement']
Original Request: A complete copy of ML&S investigative file following dog bite incident at {} on Aug. 1, 2015; ref. # 3496429.
Tokens prepared for LDA: ['complete', 'investigative', 'follow', 'incident', 'august', '3496429']
Original Request: The entire copy of Committee of Adjustments file no. A0389/14TEY for {} including survey and architect plans.
Tokens prepared for LDA: ['entire', 'committee', 'adjustment', 'a0389/14tey', 'include', 'survey', 'architect']
Original Request: Copy of video capture of assault on Jul. 25, 2015 (8:00 - 8:45 pm) and confrontation on Aug. 9, 2015 (9:00 - 9:45 PM): exiting Toronto Ferry (Owgiara) and building at Queen's Quay at Bay St., west along waterfront and including Hanlan's Point Gates etc.
Tokens prepared for LDA: ['video', 'capture', 'assault', 'confrontation', 'august', 'toronto', 'ferry', 'owgiara', 'build', 'queen', 'waterfront', 'include', 'hanlan', 'point', 'gates']
Original Request: A copy of Committee of Adjustments file # A0562/10TEY pertaining to {} including any drawings and surveys included as part of the application.
Tokens prepared for LDA: ['committee', 'adjustment', 'a0562/10tey', 'pertain', 'include', 'drawing', 'survey', 'include', 'application']
Original Request: Copy of the order sent out for the tree removal at {}, Scarborough. The tree was cut down in April 2008.
Tokens prepared for LDA: ['order', 'removal', 'scarborough', 'april']
Original Request: Any and all materials pertaining to {} this includes but is not limited to: all notes, records, reports, drawings, documentation, memorandum, correspondence, correspondence with City officials, permits and permits applications.
Tokens prepared for LDA: ['material', 'pertain', 'include', 'limit', 'record', 'report', 'drawing', 'documentation', 'memorandum', 'correspondence', 'correspondence', 'official', 'permit', 'permit', 'application']
Original Request: All 'records', as that term is defined in the Act, in the possession or under the control of the City, concerning Gemterra Development Corporation requirement to pay cash-in-lieu of parkland to the City in respect of the Lands under section 42 etc.
Tokens prepared for LDA: ['record', 'define', 'possession', 'control', 'concern', 'gemterra', 'development', 'corporation', 'requirement', 'parkland', 'respect', 'land', 'section']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance/ property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance/', 'property', 'standard']
Original Request: Copies of all records regarding zoning application (No. 15 112180 NNY 24 OZ) for {}, including but not limited to all memos, e-mails and draft reports from the office of Councillor David Shiner; his and all other City Staff.
Tokens prepared for LDA: ['copy', 'record', 'regard', 'application', '112180', 'include', 'limit', 'draft', 'report', 'office', 'councillor', 'david', 'shiner', 'staff']
Original Request: Record of claims enquiry regarding flood at {} on Oct. 16, 2014 relative to sewer line blockage.
Tokens prepared for LDA: ['record', 'claim', 'enquiry', 'regard', 'flood', 'october', 'relative', 'sewer', 'blockage']
Original Request: Copies of all open Building Code, Fire Code, and/or Zoning Code violations or Notices To Comply; copies of most recent building inspection and fire inspection reports for {}
Tokens prepared for LDA: ['copy', 'building', 'and/or', 'zoning', 'violation', 'notice', 'comply', 'recent', 'build', 'inspection', 'inspection', 'report']
Original Request: Copies of all open Building Code, Fire Code, and/or Zoning Code violations or Notices To Comply; copies of most recent building inspection and fire inspection reports for {}
Tokens prepared for LDA: ['copy', 'building', 'and/or', 'zoning', 'violation', 'notice', 'comply', 'recent', 'build', 'inspection', 'inspection', 'report']
Original Request: Water maintenance records pertaining to {} following sewer back-up: a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior to the date of loss etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: Document relating to a pressure on Sep. 3, 2014, in the City water lines which feeds part of the Pan Am Athletes' Village; located at 409 Front St. Including all records of maintenance, service and pressure readings. Record search from Sep. 1-4, 2014.
Tokens prepared for LDA: ['document', 'relate', 'pressure', 'september', 'water', 'athlete', 'village', 'locate', 'include', 'record', 'maintenance', 'service', 'pressure', 'reading', 'record', 'search', 'september']
Original Request: Copies of building documents for North York Sheridan Mall located at 1700 Wilson Avenue, from 1975 to Jul. 9, 2013. 1. The storm water system design drawing for the west side (only) of the building etc.
Tokens prepared for LDA: ['copy', 'build', 'document', 'north', 'sheridan', 'locate', 'wilson', 'avenue', 'storm', 'water', 'design', 'build']
Original Request: All documents, orders, reports, photos and notes, created in relation to my complaints to ML&S with regards to front porch at {}, from Aug. 2013 to present and the same from Toronto fire services regarding fire safety issues etc.
Tokens prepared for LDA: ['document', 'order', 'report', 'photo', 'create', 'relation', 'complaint', 'regard', 'porch', 'august', 'present', 'toronto', 'service', 'regard', 'safety', 'issue']
Original Request: All records and documentation relating to City of Toronto's involvement with {} and property located at {} on issues of pipeline maintenance.
Tokens prepared for LDA: ['record', 'documentation', 'relate', 'toronto', 'involvement', 'property', 'locate', 'issue', 'pipeline', 'maintenance']
Original Request: All health inspector's records from any other involved individuals at Toronto Public Health in relation to grow-op at {} on Mar. 21, 2008. Record search Mar. 21, 2008 to Apr. 30, 2008.
Tokens prepared for LDA: ['health', 'inspector', 'record', 'involve', 'individual', 'toronto', 'public', 'health', 'relation', 'march', 'record', 'search', 'march', 'april']
Original Request: Access to copies of inspection reports for {}., index cards, ancillary documents or documents related to structural systems (i.e. structural fire system records), including a copy of permits from April 29, 1981 and September 28, 1982.
Tokens prepared for LDA: ['access', 'inspection', 'report', 'index', 'ancillary', 'document', 'document', 'relate', 'structural', 'structural', 'record', 'include', 'permit', 'april', 'september']
Original Request: A copy of extension permit for {}. Record search 1975 to present.
Tokens prepared for LDA: ['extension', 'permit', 'record', 'search', 'present']
Original Request: A copy of bed bug report for {}. Record search Jan. 1, 2015 to Jul. 31, 2015.
Tokens prepared for LDA: ['report', 'record', 'search', 'january']
Original Request: All information regarding Advisory Notice 15 193806 LGW IR. Record search from Jan. 1, 2015.
Tokens prepared for LDA: ['information', 'regard', 'advisory', 'notice', '193806', 'record', 'search', 'january']
Original Request: Record of all tests conducted by the Non-Regulated Lead Sampling Program as follows: in a tabular electronic format, and for each record include the following fields: sample date, postal code (limited to include only the first 4 characters) etc.
Tokens prepared for LDA: ['record', 'conduct', 'regulate', 'sampling', 'program', 'follow', 'tabular', 'electronic', 'format', 'record', 'include', 'follow', 'field', 'sample', 'postal', 'limit', 'include', 'character']
Original Request: Record of work completed, or currently scheduled, by the Priority Lead Service Replacement program as follows: in a tabular electronic format, and for each record include the following fields: application date, property¿s postal code etc.
Tokens prepared for LDA: ['record', 'complete', 'currently', 'schedule', 'priority', 'service', 'replacement', 'program', 'follow', 'tabular', 'electronic', 'format', 'record', 'include', 'follow', 'field', 'application', 'property¿s', 'postal']
Original Request: A complete copy of building file for {} including permits, inspection reports etc.
Tokens prepared for LDA: ['complete', 'build', 'include', 'permit', 'inspection', 'report']
Original Request: A copy of folder 15 202243 regarding overgrown grass on the property.
Tokens prepared for LDA: ['folder', '202243', 'regard', 'overgrow', 'grass', 'property']
Original Request: Committee of Adjustment file # B0002/06 TEY for {}. Process was done in 2006.
Tokens prepared for LDA: ['committee', 'adjustment', 'b0002/06', 'process']
Original Request: Documentation confirming the legal zoning use of {} on behalf of the purchaser; Copy of Agreement of Purchase and Sale authorizing consent to release of information available on request.
Tokens prepared for LDA: ['documentation', 'confirm', 'legal', 'behalf', 'purchaser', 'agreement', 'purchase', 'authorize', 'consent', 'release', 'information', 'available', 'request']
Original Request: Building inspection records for the renovation at {}, Etobicoke, from Jan. 1, 2011 to Feb. 1, 2015.
Tokens prepared for LDA: ['building', 'inspection', 'record', 'renovation', 'etobicoke', 'january', 'february']
Original Request: Copy of any agreements or correspondence between the City and the Lion's club relating to the Ashbridge's Bay marina/boat facility used by the Balmy Beach Canoe Club.
Tokens prepared for LDA: ['agreement', 'correspondence', 'relate', 'ashbridge', 'marina', 'facility', 'balmy', 'beach', 'canoe']
Original Request: Incident reports written on July 22, 2014 and July 28, 2014 by PFR program staff at the Birchmount Commuity Centre; names and addresses of the camp staff who wrote the incident reports. The program is called Special Friends Program.
Tokens prepared for LDA: ['incident', 'report', 'write', 'program', 'staff', 'birchmount', 'commuity', 'centre', 'address', 'staff', 'write', 'incident', 'report', 'program', 'special', 'friend', 'program']
Original Request: A copy of variance application request and decision for {} from Jan. 2010 to present.
Tokens prepared for LDA: ['variance', 'application', 'request', 'decision', 'january', 'present']
Original Request: Floor plans for the property at {}. This building was demolished in 1999.
Tokens prepared for LDA: ['floor', 'property', 'build', 'demolish']
Original Request: Any and all documents pertaining to the acquisition of Canadian National diesel locomotive # 4803 in September 1984. Including any documents showing the exchange of title from Canadian National to the City of Toronto.
Tokens prepared for LDA: ['document', 'pertain', 'acquisition', 'canadian', 'national', 'diesel', 'locomotive', 'september', 'include', 'document', 'exchange', 'title', 'canadian', 'national', 'toronto']
Original Request: Any and all documents pertaining to the acquisition of Canadian Pacific 14 Section Sleeping Car JACKMAN (work car serial # 411281) diesel locomotive # 4803 in September 1984. Including any documents showing the exchange of title etc.
Tokens prepared for LDA: ['document', 'pertain', 'acquisition', 'canadian', 'pacific', 'section', 'sleeping', 'jackman', 'serial', '411281', 'diesel', 'locomotive', 'september', 'include', 'document', 'exchange', 'title']
Original Request: City pipe / drain / sewer maintenance / repairs / work orders / flush records / and City water report for {} including but not limited to the particulars of the loss on or about June 17, 2014.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'include', 'limit', 'particular']
Original Request: City pipe / drain / sewer maintenance / repairs / work orders / flush records / and City water report for {} including but not limited to the particulars of the loss on or about Dec. 22, 2013.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'include', 'limit', 'particular', 'december']
Original Request: City pipe / drain / sewer maintenance / repairs / work orders / flush records / and City water report for {} including but not limited to the particulars of the loss on or about May. 2, 2015.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'include', 'limit', 'particular']
Original Request: Dog bite report for the incident that occurred at {} on June 11, 2015 involving {} who was attacked.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'involve', 'attack']
Original Request: A complete copy of folder 13 263154 PRS 00 IV pertaining to {}. Record search from Jan. 1, 2013 to Jan. 1, 2016.
Tokens prepared for LDA: ['complete', 'folder', '263154', 'pertain', 'record', 'search', 'january', 'january']
Original Request: A copy of any "extract" records pertaining to the value of heritage property located at {}.
Tokens prepared for LDA: ['extract', 'record', 'pertain', 'value', 'heritage', 'property', 'locate']
Original Request: A copy of folder no. 13 263154 PRS 00 IV pertaining to {}.
Tokens prepared for LDA: ['folder', '263154', 'pertain']
Original Request: A copy of building permits issued for {} including documents pertaining to building code variances. Record search from 1995 to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'include', 'document', 'pertain', 'build', 'variance', 'record', 'search', 'present']
Original Request: A copy of building permits issued for {} including documents pertaining to building code variances. Record search from 1995 to present.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'include', 'document', 'pertain', 'build', 'variance', 'record', 'search', 'present']
Original Request: A copy of order in relation to bed bug infestation at {}. Record search from 2010 to present.
Tokens prepared for LDA: ['order', 'relation', 'infestation', 'record', 'search', 'present']
Original Request: A copy of the Design Review Panel meeting recording on Jul. 7, 2015, specifically the portion pertaining to {}.
Tokens prepared for LDA: ['design', 'review', 'panel', 'record', 'specifically', 'portion', 'pertain']
Original Request: Copies of inspector's notes for permits No. 15 100725 PLB and 15 100725 BLD for {}.
Tokens prepared for LDA: ['copy', 'inspector', 'permit', '100725', '100725']
Original Request: Record of Private Tree bylaw contravention by property owner of {} against a 98 cm Silver Maple tree at {.} including inspection notes and documentation of remediation by the owner of {}.
Tokens prepared for LDA: ['record', 'private', 'bylaw', 'contravention', 'property', 'owner', 'silver', 'maple', 'include', 'inspection', 'documentation', 'remediation', 'owner']
Original Request: A complete copy of building inspection report of {}, from Jan. 1, 2008 to Jan. 1, 2015 as follows: 08 122353 BLD 08 122353 DRN 08 122353 HVA 08 122353 PLB
Tokens prepared for LDA: ['complete', 'build', 'inspection', 'report', 'january', 'january', 'follow', '122353', '122353', '122353', '122353']
Original Request: All applications, permits, and similar such documents related to the "CityFest" event held Aug. 22, 2015 within the Canoe Landing park at 95 Fort York Boulevard.
Tokens prepared for LDA: ['application', 'permit', 'similar', 'document', 'relate', 'cityfest', 'event', 'august', 'canoe', 'landing', 'boulevard']
Original Request: Record of e-mails, written requests, phone calls made to City of Toronto, internal memos, other records and documents pertaining to a Notice of Violation filed against {} under Chapter 629 Section 13 of the By-Laws.
Tokens prepared for LDA: ['record', 'write', 'request', 'phone', 'toronto', 'internal', 'record', 'document', 'pertain', 'notice', 'violation', 'chapter', 'section']
Original Request: Record identifying the individual who complained about natural garden in front yard at {}, ref. no. 15 207609 L6W 00 IR; document I.D. no. 153711.
Tokens prepared for LDA: ['record', 'identify', 'individual', 'complain', 'natural', 'garden', '207609', 'document', '153711']
Original Request: Record of complaints made against {} to ML&S and Transportation Services from Jan. 1, 2015 to present.
Tokens prepared for LDA: ['record', 'complaint', 'transportation', 'services', 'january', 'present']
Original Request: A copy of incident report, including photographs taken following dog attack incident involving {} and cat who were attacked by a Springer Spaniel on Sep. 26, 2013.
Tokens prepared for LDA: ['incident', 'report', 'include', 'photograph', 'follow', 'attack', 'incident', 'involve', 'attack', 'springer', 'spaniel', 'september']
Original Request: A copy of application to injure a 57cm diameter Norway Spruce at {} including the survey, site plan, arborist report and tree protection plan as indicated in letter from {}, dated Aug. 12, 2015.
Tokens prepared for LDA: ['application', 'injure', 'diameter', 'norway', 'spruce', 'include', 'survey', 'arborist', 'report', 'protection', 'indicate', 'letter', 'august']
Original Request: A copy of building records, permit and inspection reports etc. for {} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'permit', 'inspection', 'report', 'possible', 'present']
Original Request: A copy of building records, permit and inspection reports etc. for {} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'permit', 'inspection', 'report', 'possible', 'present']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered to the prope
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register', 'prope']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance/ property standards etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance/', 'property', 'standard']
Original Request: A copy of vibration report, inspection notes and all other documents related to vibration activity at {}.
Tokens prepared for LDA: ['vibration', 'report', 'inspection', 'document', 'relate', 'vibration', 'activity']
Original Request: Record of complaint pertaining to parking (common/shared driveway) at {} and {}
Tokens prepared for LDA: ['record', 'complaint', 'pertain', 'common', 'share', 'driveway']
Original Request: A complete list of red-light offences including the intersection where each took place, the date and time they took place and the fine. Record search May 1, 2013 to Jan. 1, 2014.
Tokens prepared for LDA: ['complete', 'light', 'offence', 'include', 'intersection', 'place', 'place', 'record', 'search', 'january']
Original Request: Records on any on-street parking permits that had been issued for {}. Any records of orders, notices, directives, violations or other outstanding requirements with respect to on-street or off-street parking permits registered etc.
Tokens prepared for LDA: ['record', 'street', 'permit', 'issue', 'record', 'order', 'notice', 'directive', 'violation', 'outstanding', 'requirement', 'respect', 'street', 'street', 'permit', 'register']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds, remediate graffiti or if there have been any investigations with respect to garage sales, signs, property fences, property maintenance/ property standards issues.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance/', 'property', 'standard', 'issue']
Original Request: Copies of documents in relation to Parks Levy Payment valuation analyses for 836-848 Yonge St. & 1-9A Yorkville Ave. as follows: 1. All appraisal reports, real estate market reviews and other valuation analyses completed or commissioned by the City etc.
Tokens prepared for LDA: ['copy', 'document', 'relation', 'parks', 'payment', 'valuation', 'analysis', 'yonge', 'yorkville', 'follow', 'appraisal', 'report', 'estate', 'market', 'review', 'valuation', 'analysis', 'complete', 'commission']
Original Request: All letters and notices issued by the City between January 2010 and August 2015 which indicate the parks levy payment amounts required to be made to the City for 42 Charles Street East and 39 Hayden Street etc.
Tokens prepared for LDA: ['letter', 'notice', 'issue', 'january', 'august', 'indicate', 'payment', 'require', 'charles', 'street', 'hayden', 'street']
Original Request: All letters and notices issued by the City between January 2010 and August 2015 which indicate the parks levy payment amounts required to be made to the City for 2 Bloor Street West in relation to the approved high-density development projects etc.
Tokens prepared for LDA: ['letter', 'notice', 'issue', 'january', 'august', 'indicate', 'payment', 'require', 'bloor', 'street', 'relation', 'approve', 'density', 'development', 'project']
Original Request: All letters and notices issued by the City between January 2010 and August 2015 which indicate the parks levy payment amounts required to be made to the City for 50 Bloor Street West in relation to the approved high-density development projects etc.
Tokens prepared for LDA: ['letter', 'notice', 'issue', 'january', 'august', 'indicate', 'payment', 'require', 'bloor', 'street', 'relation', 'approve', 'density', 'development', 'project']
Original Request: All letters and notices issued by the City between January 2010 and August 2015 which indicate the parks levy payment amounts required to be made to the City for 27-37 Yorkville Avenue and 26-32 & 50 Cumberland Street etc.
Tokens prepared for LDA: ['letter', 'notice', 'issue', 'january', 'august', 'indicate', 'payment', 'require', 'yorkville', 'avenue', 'cumberland', 'street']
Original Request: All letters and notices issued by the City between January 2010 and August 2015 which indicate the parks levy payment amounts required to be made to the City for 50 Yorkville Avenue and 55 Scollard Street etc.
Tokens prepared for LDA: ['letter', 'notice', 'issue', 'january', 'august', 'indicate', 'payment', 'require', 'yorkville', 'avenue', 'scollard', 'street']
Original Request: All letters and notices issued by the City between January 2010 and August 2015 which indicate the parks levy payment amounts required to be made to the City for 32 Davenport Road and 12-22 McMurrich Street etc.
Tokens prepared for LDA: ['letter', 'notice', 'issue', 'january', 'august', 'indicate', 'payment', 'require', 'davenport', 'mcmurrich', 'street']
Original Request: Water maintenance records pertaining to {} following sewer back-up: a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior to the date of loss etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: A copy of complaints file B 51890 regarding incident on May 5, 2015 involving Best Choice Taxi, Taxi No. 02940, owned and operated by {named removed}. Record search from May 1, 2015 to June 30, 2015
Tokens prepared for LDA: ['complaint', '51890', 'regard', 'incident', 'involve', 'choice', '02940', 'operate', 'removed}.', 'record', 'search']
Original Request: A copy of photos and notes associated with investigation at {} in mid July 2015.
Tokens prepared for LDA: ['photo', 'associate', 'investigation']
Original Request: Record of all inspection notes, reports, photos and work orders associated with water damage sustained by property located at {} due to flooding.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'photo', 'order', 'associate', 'water', 'damage', 'sustain', 'property', 'locate', 'flood']
Original Request: A copy of inspection report for {}, ref. # 2015146709. Record search Apr. 25, 2015.
Tokens prepared for LDA: ['inspection', 'report', '2015146709', 'record', 'search', 'april']
Original Request: A copy of building permit issued to developer at {}.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'developer']
Original Request: Permit information for the house or construction that occurred at {} between Jan. 2013 and August 2014.
Tokens prepared for LDA: ['permit', 'information', 'house', 'construction', 'occur', 'january', 'august']
Original Request: In electronic format all records concerning or constituting communications between (i) any employee or agent of the Office of the Mayor of Toronto and (ii) any officer, director, employee, or agent of the Canadian Olympic Committee or any officer etc.
Tokens prepared for LDA: ['electronic', 'format', 'record', 'concern', 'constitute', 'communication', 'employee', 'agent', 'office', 'mayor', 'toronto', 'officer', 'director', 'employee', 'agent', 'canadian', 'olympic', 'committee', 'officer']
Original Request: In relation to zoning amendment application and official plan amendment 13 281456 NNY 16 OZ for {} dates Feb. 12, 2014 and Jul 3, 2015. The following records are requested: 1. All documents, memoranda and/or handwritten notes etc.
Tokens prepared for LDA: ['relation', 'amendment', 'application', 'official', 'amendment', '281456', 'february', 'follow', 'record', 'request', 'document', 'memorandum', 'and/or', 'handwritten']
Original Request: Record of inspection report documents related to bed bug and cockroach infestation at {} sometime between Jan. 1, 2015 to Jun. 30, 2015 including complaints by residents from Jan. 1, 201 to Aug. 10, 2015.
Tokens prepared for LDA: ['record', 'inspection', 'report', 'document', 'relate', 'cockroach', 'infestation', 'january', 'include', 'complaint', 'resident', 'january', 'august']
Original Request: A copy of dog bite incident report on file no. A14-002421.
Tokens prepared for LDA: ['incident', 'report', '002421']
Original Request: Any notes, files, records, communications and e-mails within the City that mention the property {}, including e-mails sent to or received by Rosanne Clement (PFR); Councillor Colle's Office (entire office); Comm. of Adjustment, Bldg staff.
Tokens prepared for LDA: ['record', 'communication', 'mention', 'property', 'include', 'receive', 'rosanne', 'clement', 'councillor', 'colle', 'office', 'entire', 'office', 'adjustment', 'staff']
Original Request: Inspection reports for all reviews completed under permits 13 128965, 13 271885 and 14 216021 for {}. Record search from Oct. 1, 2013 to Sep. 1, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'review', 'complete', 'permit', '128965', '271885', '216021', 'record', 'search', 'october', 'september']
Original Request: Record of violation notices, outstanding orders or directives against {} with respect to cutting grass or weeds.
Tokens prepared for LDA: ['record', 'violation', 'notice', 'outstanding', 'order', 'directive', 'respect', 'grass']
Original Request: A copy of compliance or supporting documentation or drawings indicating {.} is a legal duplex/triplex. Record search from 1960 to present.
Tokens prepared for LDA: ['compliance', 'support', 'documentation', 'drawing', 'indicate', 'legal', 'duplex', 'triplex', 'record', 'search', 'present']
Original Request: Copies of inspection reports related to permit no. 05 173062 HVA 00 MS; 05 173062 HVA 01 MS; 05 173062 BLD 00 NH; 05 173062 01 BLD NH & 05 173062 BLD 02 NH for {}.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'relate', 'permit', '173062', '173062', '173062', '173062', '173062']
Original Request: A copy of permit, arborist report, bill, inspection reports and completed application to injure or destroy tree at {}, including plan to replant tree. Record search Sep. 1, 2014 to Aug. 28, 2015.
Tokens prepared for LDA: ['permit', 'arborist', 'report', 'inspection', 'report', 'complete', 'application', 'injure', 'destroy', 'include', 'replant', 'record', 'search', 'september', 'august']
Original Request: A copy of lease agreement for 11 Bay St. Toronto Westin Harbour Castle Convention Centre between FBD Toronto Property Co. and Blue Tree Hotels GP ULC (Tenant) to SCG Aquarius Toronto Hotel Inc. (New Tenant).
Tokens prepared for LDA: ['lease', 'agreement', 'toronto', 'westin', 'harbour', 'castle', 'convention', 'centre', 'toronto', 'property', 'hotel', 'tenant', 'aquarius', 'toronto', 'hotel', 'tenant']
Original Request: Water maintenance records pertaining to {} following sewer back-up and or water main failure: a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'water', 'failure', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: Water maintenance records pertaining to { following sewer back-up: a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior to the date etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: Police records relating to {} from Peel Police, Toronto Police and OPP.
Tokens prepared for LDA: ['police', 'record', 'relate', 'police', 'toronto', 'police']
Original Request: Water maintenance records pertaining to {} following sewer back-up and/or water main failure: a) A copy of the City's notes, records, and reports relating to the relevant sewer(s) for the period three years prior to etc.
Tokens prepared for LDA: ['water', 'maintenance', 'record', 'pertain', 'follow', 'sewer', 'and/or', 'water', 'failure', 'record', 'report', 'relate', 'relevant', 'sewer(s', 'period', 'prior']
Original Request: A copy of written documentation indication the date of water connection at {}. Connection was made on Jun. 27, 2015.
Tokens prepared for LDA: ['write', 'documentation', 'indication', 'water', 'connection', 'connection']
Original Request: A copy of mold report for {} conducted on Aug. 31, 2015.
Tokens prepared for LDA: ['report', 'conduct', 'august']
Original Request: Record of all property taxes paid by {} for (), documentation of the building/home category and occupancy type i.e. duplex, single family dwelling, triplex etc. Any registered complaints against {} by tenants etc.
Tokens prepared for LDA: ['record', 'property', 'taxis', 'documentation', 'build', 'category', 'occupancy', 'duplex', 'single', 'family', 'dwell', 'triplex', 'register', 'complaint', 'tenant']
Original Request: All records relating to complaints made about swimming pool water discharge at {} from Jan. 1, 2014 to present.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'water', 'discharge', 'january', 'present']
Original Request: A complete copy of ML&S file pertaining to cat removal from {}.
Tokens prepared for LDA: ['complete', 'pertain', 'removal']
Original Request: A complete copy of file No. 08219629 STE 31 0Z with regards to {}. Record search from Sep. 1, 2009 to Sep. 1, 2015.
Tokens prepared for LDA: ['complete', '08219629', 'regard', 'record', 'search', 'september', 'september']
Original Request: All site documents such as building permits, deeds, agreements of purchase and sale etc., for {}.
Tokens prepared for LDA: ['document', 'build', 'permit', 'agreement', 'purchase']
Original Request: A copy of initial and any other open building permits for {} roll no. {1914-05-1-320-02000-0000} WARD 12.
Tokens prepared for LDA: ['initial', 'build', 'permit', '02000']
Original Request: A complete copy of building file for {} including notes, records and documentation regarding order to comply No. 15 215697 WNP 00 VI) from Jul. 1, 2013 to Sep. 15, 2015.
Tokens prepared for LDA: ['complete', 'build', 'include', 'record', 'documentation', 'regard', 'order', 'comply', '215697', 'september']
Original Request: A copy of Toronto Animal Services Dog Licensing information for dog (s) at {} between May 22/14 to July 20/14 and any records of complaints (noise or otherwise) about these dogs at any time.
Tokens prepared for LDA: ['toronto', 'animal', 'services', 'license', 'information', '22/14', '20/14', 'record', 'complaint', 'noise']
Original Request: A list of all people who have been stopped by the police in the Greater Toronto Area and have had their contact or other information documented.
Tokens prepared for LDA: ['people', 'police', 'greater', 'toronto', 'contact', 'information', 'document']
Original Request: A copy of all contracts and funding agreements with ICLEI (Local Governments for Sustainability), Toronto Environmental Alliance, and Canada Green Building Council since January 1, 2010.
Tokens prepared for LDA: ['contract', 'agreement', 'iclei', 'local', 'government', 'sustainability', 'toronto', 'environmental', 'alliance', 'canada', 'green', 'building', 'council', 'january']
Original Request: A copy of all correspondence with the City of Toronto and the Toronto Environmental Alliance since January 1, 2011.
Tokens prepared for LDA: ['correspondence', 'toronto', 'toronto', 'environmental', 'alliance', 'january']
Original Request: A copy of all correspondence with the City of Toronto and ICLEI (Local Governments for Sustainability) since January 1, 2011.
Tokens prepared for LDA: ['correspondence', 'toronto', 'iclei', 'local', 'government', 'sustainability', 'january']
Original Request: A copy of all correspondence with the City of Toronto and the Canada Green Building Council since January 1, 2011.
Tokens prepared for LDA: ['correspondence', 'toronto', 'canada', 'green', 'building', 'council', 'january']
Original Request: A copy of any building permits for a development at { a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'development', 'specify', 'address}.']
Original Request: A copy of all Public Health reports of bed bug infestations between January 1, 2009 and present, including the date of each infestation, whether the reports were confirmed and the addresses of the reported infestations or the related 6 digit postal codes.
Tokens prepared for LDA: ['public', 'health', 'report', 'infestation', 'january', 'present', 'include', 'infestation', 'report', 'confirm', 'address', 'report', 'infestation', 'relate', 'digit', 'postal']
Original Request: A copy of any records including complaints and reports regarding the air filters at {a specified address} since 2002.
Tokens prepared for LDA: ['record', 'include', 'complaint', 'report', 'regard', 'filter', 'specify', 'address']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 28, 2012 around 1:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Keele Street and Dundas Street. The incident occurred on June 2, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'keele', 'street', 'dundas', 'street', 'incident', 'occur']
Original Request: A copy of the fire inspection report for {a specified address}, including all comments that caused the inspection and the inspection results.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'include', 'comment', 'cause', 'inspection', 'inspection', 'result']
Original Request: A copy of the Public Health inspection records for {a specified address}. The inspection occurred in November 2012.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'record', 'specify', 'address}.', 'inspection', 'occur', 'november']
Original Request: A copy of the fire report for the motor vehicle accident that occurred in the parking lot of {a specified address}. The incident occurred on August 6, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'specify', 'address}.', 'incident', 'occur', 'august']
Original Request: A copy of all swimming attendance records for {an individual} since April 2011. The pools identified are Olympium, Joseph Piccinni, Norseman but there may be other pools as well.
Tokens prepared for LDA: ['attendance', 'record', 'individual', 'april', 'identify', 'olympium', 'joseph', 'piccinni', 'norseman']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 26, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 22, 2012. Fire Report No.: F12077662.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'report', 'f12077662']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 26, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the red light camera photos related to the motor vehicle accident at Burnhamthorpe and East Mall, Etobicoke. The incident occurred on November 25, 2012 between 1:00 a.m. and 2:30 a.m.
Tokens prepared for LDA: ['light', 'camera', 'photo', 'relate', 'motor', 'vehicle', 'accident', 'burnhamthorpe', 'etobicoke', 'incident', 'occur', 'november']
Original Request: A copy of the 2012 Pomax Safety Inc. plan for EMS and Fire Services.
Tokens prepared for LDA: ['pomax', 'safety', 'services']
Original Request: A copy of all public health inspection reports, complaints, related documents, laboratory results, reports, correspondence, and material related to the Villa Madina Mediterranean Cuisine {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'complaint', 'relate', 'document', 'laboratory', 'result', 'report', 'correspondence', 'material', 'relate', 'villa', 'madina', 'mediterranean', 'cuisine', 'specify', 'address}.']
Original Request: A copy of all MLS and Public Health records and reports for {a specified address}. All records from August 2012 to present.
Tokens prepared for LDA: ['public', 'health', 'record', 'report', 'specify', 'address}.', 'record', 'august', 'present']
Original Request: A copy of the complete Public Health database of food establishments operating in or servicing Toronto. Report is to be in excel, tab-delimited text file or CSV file including the name, address, phone number, date last inspected, and status.
Tokens prepared for LDA: ['complete', 'public', 'health', 'database', 'establishment', 'operate', 'service', 'toronto', 'report', 'excel', 'delimit', 'include', 'address', 'phone', 'inspect', 'status']
Original Request: A copy of all building inspection reports from 2012 to present for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'present', 'specify', 'address}.']
Original Request: A copy of records showing the names of all City staff involved in the investigation of the sewage drain pipe being blocked by the City tree's root. The issue occurred on December 21, 2012 at{a specified address}.
Tokens prepared for LDA: ['record', 'staff', 'involve', 'investigation', 'sewage', 'drain', 'block', 'issue', 'occur', 'december', 'specify', 'address}.']
Original Request: A copy of all information related to Animal Services investigation file no. A12-016-388 related to a dog bite on August 4, 2012.
Tokens prepared for LDA: ['information', 'relate', 'animal', 'services', 'investigation', 'relate', 'august']
Original Request: A copy of the drawing of the sewer system at {a specified address} from around February 11, 2011.
Tokens prepared for LDA: ['sewer', 'specify', 'address', 'february']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 26, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 18, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 29, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on December 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'december']
Original Request: A copy of all emails of Jackie De Souza, Wynna Brown, Nancy Kuyumcu, and [an individual] between December 8 and 31, 2012 with the search terms [an individual], Union Station, Photography, Filming, Cinematography, Union Security, {an individual}, etc.
Tokens prepared for LDA: ['email', 'jackie', 'souza', 'wynna', 'brown', 'nancy', 'kuyumcu', 'individual', 'december', 'search', 'individual', 'union', 'station', 'photography', 'filming', 'cinematography', 'union', 'security', 'individual']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 26, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 24, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of all complaints against {a specified address} from August 1, 2012 to January 2013, including records from MLS and Building.
Tokens prepared for LDA: ['complaint', 'specify', 'address', 'august', 'january', 'include', 'record', 'building']
Original Request: A copy of the inspection officer notes for {a specified address}, Scarborough, for the following file no.'s 12 229713 WST 00IV and 12 229724 PRS 00IV.
Tokens prepared for LDA: ['inspection', 'officer', 'specify', 'address', 'scarborough', 'follow', '229713', '229724']
Original Request: A copy of all maintenance records for the water main and distribution system and any road surface repairs servicing Tilden Crescent.
Tokens prepared for LDA: ['maintenance', 'record', 'water', 'distribution', 'surface', 'repair', 'service', 'tilden', 'crescent']
Original Request: A copy of the sewer maintenance records for {a specified address}, Scarborough, since January 2002.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'specify', 'address', 'scarborough', 'january']
Original Request: A copy of the building permits for {a specified address} related to tanks. Including file no.'s 89051 (1966), 89453 (1966) and 96696 (1967).
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'relate', 'include', '89051', '89453', '96696']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 15, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of building files related to applications, decisions, permits, and related documents for {a specified address}.
Tokens prepared for LDA: ['build', 'relate', 'application', 'decision', 'permit', 'relate', 'document', 'specify', 'address}.']
Original Request: A copy of all sign permits for {two addresses}.
Tokens prepared for LDA: ['permit', 'addresses}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 28, 2008.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for the incident at the York Spadina Subway extension project at York University. The incident occurred on October 11, 2011. Fire Report No. F11133143.
Tokens prepared for LDA: ['report', 'incident', 'spadina', 'subway', 'extension', 'project', 'university', 'incident', 'occur', 'october', 'report', 'f11133143']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 1, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on January 13, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the sewer back up and maintenance records for {a specified address} or surrounding area since July 2, 2011, including any records related to the sewer back up on or around July 2, 2012.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'specify', 'address', 'surround', 'include', 'record', 'relate', 'sewer']
Original Request: A copy of any records related to an animal complaint against {a specified address} in October or November 2012 and any records related to a lawn debris complaint which led to an inspection on November 13, 2012. Please include copies of the complaint records.
Tokens prepared for LDA: ['record', 'relate', 'animal', 'complaint', 'specify', 'address', 'october', 'november', 'record', 'relate', 'debris', 'complaint', 'inspection', 'november', 'include', 'complaint', 'record']
Original Request: A copy of the building inspection notes and reports for {a specified address} from June 1, 2011 to October 31, 2012.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address', 'october']
Original Request: A copy of the property tax records for {a specified address}.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address}.']
Original Request: A copy of the 2010 Public Health reports and records related to the inspection for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'report', 'record', 'relate', 'inspection', 'specify', 'address}.']
Original Request: A copy of all maintenance records for the past 16 years related to the sewer lines on Birgitta Crescent, Etobicoke.
Tokens prepared for LDA: ['maintenance', 'record', 'relate', 'sewer', 'birgitta', 'crescent', 'etobicoke']
Original Request: A copy of all MLS and fire inspection records related to {a specified address}, including the dates and times of all inspection visits and any correspondence between the City and {an individual} or the City and the landlord.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'specify', 'address', 'include', 'inspection', 'visit', 'correspondence', 'individual', 'landlord']
Original Request: A list including the number of warning letters issued to City employees since 2007, broken down by the City department that the employee belonged to and by year.
Tokens prepared for LDA: ['include', 'letter', 'issue', 'employee', 'break', 'department', 'employee', 'belong']
Original Request: A copy of all communications, including documents, reports, e-mails, BBMs and briefing notes, related to the condition of the Gardiner Expressway and media reports on the condition of the Expressway. Records from Dec. 9, 2012 to Jan. 1, 2013.
Tokens prepared for LDA: ['communication', 'include', 'document', 'report', 'brief', 'relate', 'condition', 'gardiner', 'expressway', 'medium', 'report', 'condition', 'expressway', 'record', 'december', 'january']
Original Request: A copy of all building, plumbing and HVAC inspection records for Goodlife Fitness located at {483 Bay Street}. Records related to building permit #12 151313 Bld 00 BA, HVAC 151313 and plumbing 151313 PS.
Tokens prepared for LDA: ['build', 'plumb', 'inspection', 'record', 'goodlife', 'fitness', 'locate', 'street}.', 'record', 'relate', 'build', 'permit', '151313', '151313', 'plumb', '151313']
Original Request: A copy of the building inspection report for {a specified address}.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on January 8, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 29, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the CCTV recordings for outside of Stephen Leacock Community Centre from January 13, 2013 between 14:45 and 18:00.
Tokens prepared for LDA: ['recording', 'outside', 'stephen', 'leacock', 'community', 'centre', 'january', '14:45', '18:00']
Original Request: A copy of any records related to building inspections of {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'build', 'inspection', 'specify', 'address}.']
Original Request: A copy of any records related to building inspections of {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'build', 'inspection', 'specify', 'address}.']
Original Request: A copy of records related to street markings/street designation, road construction, number of traffic lanes, traffic plans or documents related to traffic flow for Ellesmere Road. Records related to the construction in May 2006.
Tokens prepared for LDA: ['record', 'relate', 'street', 'marking', 'street', 'designation', 'construction', 'traffic', 'traffic', 'document', 'relate', 'traffic', 'ellesmere', 'record', 'relate', 'construction']
Original Request: A copy of all records related to objections of an application for a tree removal at {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'objection', 'application', 'removal', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred around early 2012 and related to a strong smell of gasoline.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'early', 'relate', 'strong', 'smell', 'gasoline']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 9, 2000.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on June 16, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 19, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, North York. The incident occurred on November 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'north', 'incident', 'occur', 'november']
Original Request: A copy of records from Revenue Services, ML&S, Building, Fire Services and Toronto Water related to {a specified address}, including any property tax records. Specifically any records related to assets being removed from outside or inside the property.
Tokens prepared for LDA: ['record', 'revenue', 'services', 'building', 'services', 'toronto', 'water', 'relate', 'specify', 'address', 'include', 'property', 'record', 'specifically', 'record', 'relate', 'asset', 'remove', 'outside', 'inside', 'property']
Original Request: A copy of records from Revenue Services, ML&S, Building, Fire Services and Toronto Water related to {a specified address}, including any property tax records. Specifically any records related to assets being removed from outside or inside the property.
Tokens prepared for LDA: ['record', 'revenue', 'services', 'building', 'services', 'toronto', 'water', 'relate', 'specify', 'address', 'include', 'property', 'record', 'specifically', 'record', 'relate', 'asset', 'remove', 'outside', 'inside', 'property']
Original Request: A copy of any records pertaining to reported bed bugs incidents at {a specified address}. There was an incident reported on November 12, 2012.
Tokens prepared for LDA: ['record', 'pertain', 'report', 'incident', 'specify', 'address}.', 'incident', 'report', 'november']
Original Request: A copy of the red light camera images from September 1, 2012 at Wilson Avenue and Keele Street around 11:30 p.m.
Tokens prepared for LDA: ['light', 'camera', 'image', 'september', 'wilson', 'avenue', 'keele', 'street', '11:30']
Original Request: A copy of all building permits for {a specified address} that have been issued, considered or are under consideration, conditional or otherwise (including the foundation permits).
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'issue', 'consider', 'consideration', 'conditional', 'include', 'foundation', 'permit']
Original Request: A copy of any agreement entered into by the City of Toronto and either Portwell Developments Inc. or Parallax Investment Corporation with respect to {a specified address}.
Tokens prepared for LDA: ['agreement', 'enter', 'toronto', 'portwell', 'development', 'parallax', 'investment', 'corporation', 'respect', 'specify', 'address}.']
Original Request: A copy of the building files for {a specified address}, including file no.'s 82630, 81789, and 257345.
Tokens prepared for LDA: ['build', 'specify', 'address', 'include', '82630', '81789', '257345']
Original Request: A copy of all final materials relating to the selection criteria and assessment of candidates for the Toronto Taxicab Advisory Committee (TAC), including any reports, briefing notes or other documents. The selection took place in January 2013.
Tokens prepared for LDA: ['final', 'material', 'relate', 'selection', 'criterium', 'assessment', 'candidate', 'toronto', 'taxicab', 'advisory', 'committee', 'include', 'report', 'brief', 'document', 'selection', 'place', 'january']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred in July or August 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Hove Street and Codsell Avenue. The incident occurred on February 1, 2010.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'street', 'codsell', 'avenue', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 3, 2013. Fire Report No. F13000960.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january', 'report', 'f13000960']
Original Request: A copy of the building permit for {a specified address}, Scarborough, and any records pertaining to soil stability of the property.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'scarborough', 'record', 'pertain', 'stability', 'property']
Original Request: A copy of all construction permits and inspection documents pertaining to {a specified address}.
Tokens prepared for LDA: ['construction', 'permit', 'inspection', 'document', 'pertain', 'specify', 'address}.']
Original Request: A copy of all contacts for all residential property management companies in Toronto, including apartment buildings, condos, townhouse complexes and Toronto Housing.
Tokens prepared for LDA: ['contact', 'residential', 'property', 'management', 'company', 'toronto', 'include', 'apartment', 'building', 'condo', 'townhouse', 'complex', 'toronto', 'housing']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on or about Nov. 24, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on May 22, 2012 around 11:55 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', '11:55']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on December 20, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'december']
Original Request: A copy of any or all tieback or shoring agreements between MTCC #576 and {a specified address}.
Tokens prepared for LDA: ['tieback', 'shore', 'agreement', 'specify', 'address}.']
Original Request: A copy of the records or reports related to the re-calibrating of the traffic light between City Hall and 525 Bay Street (north of the light near old City Hall's back door).
Tokens prepared for LDA: ['record', 'report', 'relate', 'calibrate', 'traffic', 'light', 'street', 'north', 'light']
Original Request: A copy of any policies, guidelines, standards or other documents regarding fire safety standards for storage of items on balconies in residential units.
Tokens prepared for LDA: ['policy', 'guideline', 'standard', 'document', 'regard', 'safety', 'standard', 'storage', 'balcony', 'residential']
Original Request: A copy of any and all records related to proposed, approved, permitted or not permitted development at {a specified address}, including all information related to the revoking of the construction permit in 2012. All records from April 20, 2012 to present.
Tokens prepared for LDA: ['record', 'relate', 'propose', 'approve', 'permit', 'permit', 'development', 'specify', 'address', 'include', 'information', 'relate', 'revoke', 'construction', 'permit', 'record', 'april', 'present']
Original Request: A copy of building information related to {a specified address}, including construction records with the architect's information.
Tokens prepared for LDA: ['build', 'information', 'relate', 'specify', 'address', 'include', 'construction', 'record', 'architect', 'information']
Original Request: A copy of statistics from Animal Services relating to the number of dogs, cats, domestic small mammals, domestic birds, and wild animals and birds admitted, adopted, released and euthanized in 2010, 2011 and 2012.
Tokens prepared for LDA: ['statistic', 'animal', 'services', 'relate', 'domestic', 'small', 'mammal', 'domestic', 'animal', 'admit', 'adopt', 'release', 'euthanize']
Original Request: A copy of any records or reports pertaining to forestry for {a specified address}.
Tokens prepared for LDA: ['record', 'report', 'pertain', 'forestry', 'specify', 'address}.']
Original Request: A copy of the Public Health mould inspections from November 2011 and OCtober 2012 for {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'mould', 'inspection', 'november', 'october', 'specify', 'address}.']
Original Request: A copy of any and all records pertaining to {a specified address}, including all complaints, reports, correspondence, investigation records, etc. from December 2001 to present.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'include', 'complaint', 'report', 'correspondence', 'investigation', 'record', 'december', 'present']
Original Request: A copy of any and all records pertaining to {a specified address}, including all complaints, reports, correspondence, investigation records, etc. from December 2001 to present.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'include', 'complaint', 'report', 'correspondence', 'investigation', 'record', 'december', 'present']
Original Request: A copy of all building permit records for {a specified address}, Toronto including all grading certificates, engineer, design and architect reports, documents related to the mutual right of way on {a specified address}
Tokens prepared for LDA: ['build', 'permit', 'record', 'specify', 'address', 'toronto', 'include', 'grade', 'certificate', 'engineer', 'design', 'architect', 'report', 'document', 'relate', 'mutual', 'right', 'specify', 'address']
Original Request: A copy of all property / building records, applications, permits, correspondence, field review and inspection reports for {a specified address}.
Tokens prepared for LDA: ['property', 'build', 'record', 'application', 'permit', 'correspondence', 'field', 'review', 'inspection', 'report', 'specify', 'address}.']
Original Request: A copy of the Environmental Assessment conducted for the area of Morningside Ave. passing through the Rouge River relating to the City Draft Plan No. 00-21-562-00 Block 149, Plan 66M-2401.
Tokens prepared for LDA: ['environmental', 'assessment', 'conduct', 'morningside', 'rouge', 'river', 'relate', 'draft', 'block', '66m-2401']
Original Request: A certified copy of original documents for any and all documents relating to inspections on water located at {a specified address} and by any inspection reports by OJCR Construction Ltd.
Tokens prepared for LDA: ['certify', 'original', 'document', 'document', 'relate', 'inspection', 'water', 'locate', 'specify', 'address', 'inspection', 'report', 'construction']
Original Request: E-mail correspondence between Toronto Zoo CEO John Tracogna and University of Calgary Veterinary Science Department {an individual} between Dec. 1 and Dec. 31, 2012.
Tokens prepared for LDA: ['correspondence', 'toronto', 'tracogna', 'university', 'calgary', 'veterinary', 'science', 'department', 'individual', 'december', 'december']
Original Request: A copy of all historical documents for {a specified address}, Toronto, including building permits, correspondence, inspections. Search should go as far back as possible.
Tokens prepared for LDA: ['historical', 'document', 'specify', 'address', 'toronto', 'include', 'build', 'permit', 'correspondence', 'inspection', 'search', 'possible']
Original Request: A copy of fire incident report for {a specified address}, Toronto. The incident occurred on Dec. 12, 2012.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address', 'toronto', 'incident', 'occur', 'december']
Original Request: A copy of the archival records related to "save union station". Fonds 200 Series 1512, File 1298 and 577. Also Fonds 219, Series 1624, File 1493 and 1494.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'union', 'station', 'fonds', 'series', 'fonds', 'series']
Original Request: A copy of all animal control records related specifically to {an individual} or related to the dog bite incident at Lakeshore Blvd West and Superior Avenue. The dog bit incident occurred on February 18, 2011. File No.: A11-003853.
Tokens prepared for LDA: ['animal', 'control', 'record', 'relate', 'specifically', 'individual', 'relate', 'incident', 'lakeshore', 'superior', 'avenue', 'incident', 'occur', 'february', '003853']
Original Request: A copy of the building records for {a specified address} since May 1, 2012.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address']
Original Request: A copy of the environmental records of spills, incidents, complaints, violations, notices, orders or other directives; record of any clean-ups or remediation which the City of Toronto may have related to {a specified address}, Scarborough.
Tokens prepared for LDA: ['environmental', 'record', 'spill', 'incident', 'complaint', 'violation', 'notice', 'order', 'directive', 'record', 'clean', 'remediation', 'toronto', 'relate', 'specify', 'address', 'scarborough']
Original Request: A copy of all building information and Committee of Adjustment approvals relating to the construction of the rear garage at {a specified address} to a residential dwelling.
Tokens prepared for LDA: ['build', 'information', 'committee', 'adjustment', 'approval', 'relate', 'construction', 'garage', 'specify', 'address', 'residential', 'dwell']
Original Request: A copy of the Public Health report for {a specified address}. The inspection occurred on January 21, 2013.
Tokens prepared for LDA: ['public', 'health', 'report', 'specify', 'address}.', 'inspection', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on May 21, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of closing report by ML&S Officer David Williams and all documents, including detailed list of complaints, for folder # 12-280868 NOI 00 IR.
Tokens prepared for LDA: ['close', 'report', 'officer', 'david', 'williams', 'document', 'include', 'complaint', 'folder', '280868']
Original Request: A copy of work order issued by both Building and ML&S departments in 2012 for {a specified address}, Toronto.
Tokens prepared for LDA: ['order', 'issue', 'building', 'department', 'specify', 'address', 'toronto']
Original Request: A copy of inspector's reports, building permits and notes for {a specified address}. File # 90B14692. Need to know when report was opened and closed.
Tokens prepared for LDA: ['inspector', 'report', 'build', 'permit', 'specify', 'address}.', '90b14692', 'report', 'close']
Original Request: A complete report on a complaint made to 311 on Nov. 8, 2011 relating to a hazardous tree at {a specified address}. Reference number is 1255983.
Tokens prepared for LDA: ['complete', 'report', 'complaint', 'november', 'relate', 'hazardous', 'specify', 'address}.', 'reference', '1255983']
Original Request: Records from July 2012 to Dec. 2012 regarding work being done with Danzig residents to help the community. Minutes of community meetings involving City staff and TCH staff with residents, internal and extenal communications on the Danzig community.
Tokens prepared for LDA: ['record', 'december', 'regard', 'danzig', 'resident', 'community', 'minutes', 'community', 'meeting', 'involve', 'staff', 'staff', 'resident', 'internal', 'extenal', 'communication', 'danzig', 'community']
Original Request: List of property ownwed under the names of {an individual} and {an individual}.
Tokens prepared for LDA: ['property', 'ownwed', 'individual', 'individual}.']
Original Request: A copy of the fire inspection records for the 3 units at {a specified address} from 2008, 2009, 2010, and 2011. Records for both the commercial and residential units.
Tokens prepared for LDA: ['inspection', 'record', 'specify', 'address', 'record', 'commercial', 'residential']
Original Request: A copy of building records related to {a specified address}, including the permit application to construct/demolish, vibration control form, demolition permit and checklist, building permit application, and the owner's acknowledgement of conditions.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'include', 'permit', 'application', 'construct', 'demolish', 'vibration', 'control', 'demolition', 'permit', 'checklist', 'build', 'permit', 'application', 'owner', 'acknowledgement', 'condition']
Original Request: A copy of statistics on all single and multiple vehicle collisions as well as traffic moving violations occurring on McNicoll Avenue (between Kennedy Road and Pharmacy Avenue) from 2007 to present.
Tokens prepared for LDA: ['statistic', 'single', 'multiple', 'vehicle', 'collision', 'traffic', 'violation', 'occur', 'mcnicoll', 'avenue', 'kennedy', 'pharmacy', 'avenue', 'present']
Original Request: A copy of City Planning records related to {a specified address}, including the environmental studies dated Sept. 27, 1999, and Jan. 25, 2000, as well as the Brimley Road Progress Avenue Noise Impact Study dated July 2000.
Tokens prepared for LDA: ['planning', 'record', 'relate', 'specify', 'address', 'include', 'environmental', 'study', 'september', 'january', 'brimley', 'progress', 'avenue', 'noise', 'impact', 'study']
Original Request: A copy of all complaint records made against {a specified address} for the past year.
Tokens prepared for LDA: ['complaint', 'record', 'specify', 'address']
Original Request: A copy of building records related to {a specified address}, including open zoning and building violations, variences, special use/conditional use permits, site plans, and certificates of occupancy.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specify', 'address', 'include', 'build', 'violation', 'variences', 'special', 'conditional', 'permit', 'certificate', 'occupancy']
Original Request: A copy of any complaints, orders, violations, inspections, etc. against {a specified address} since 2002.
Tokens prepared for LDA: ['complaint', 'order', 'violation', 'inspection', 'specify', 'address']
Original Request: A copy of any complaints, orders, violations, inspections, etc. against {a specified address} since 2002.
Tokens prepared for LDA: ['complaint', 'order', 'violation', 'inspection', 'specify', 'address']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 6, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred in 2012. Fire Report No. F12078640.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'report', 'f12078640']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 10, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: All records and documents that pertain to {a specified address}. A copy of the complete file and any related notes including all complaints, inspections and work orders.
Tokens prepared for LDA: ['record', 'document', 'pertain', 'specify', 'address}.', 'complete', 'relate', 'include', 'complaint', 'inspection', 'order']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 25, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for the motor vehicle accident that occurred on Highway 427 north of Rexdale and south of Finch Avenue exit. The incident occurred on October 30, 2004.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'highway', 'north', 'rexdale', 'south', 'finch', 'avenue', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on January 21, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the incident report for an incident that occurred at the Dieppe Park Skating Rink. The incident occurred on January 4, 2013 at approximately 5:10 p.m.
Tokens prepared for LDA: ['incident', 'report', 'incident', 'occur', 'dieppe', 'skating', 'incident', 'occur', 'january', 'approximately']
Original Request: A copy of the sewer maintenance records for the area involving {a specified address}, Etobicoke. Records from November 2010 leading up to the sewer back up incident on November 29, 2011.
Tokens prepared for LDA: ['sewer', 'maintenance', 'record', 'involve', 'specify', 'address', 'etobicoke', 'record', 'november', 'sewer', 'incident', 'november']
Original Request: A copy of any documents relating to urban animal life being affected by the city's drug trade, including memos, e-mails, reports or studies examining whether Toronto wildlife is impacted by drug use - either through loss of habitat or ingestion.
Tokens prepared for LDA: ['document', 'relate', 'urban', 'animal', 'affect', 'trade', 'include', 'report', 'study', 'examine', 'toronto', 'wildlife', 'impact', 'habitat', 'ingestion']
Original Request: A copy of all records related to the construction of a retaining wall at {a specified address} from December 2010.
Tokens prepared for LDA: ['record', 'relate', 'construction', 'retain', 'specify', 'address', 'december']
Original Request: A copy of the detailed budget of the Festival Management Committee for each year from 2006 to present, as well as the detailed budget for Caribana, as prepared by the Caribana Arts Group, for each year from 2002 to 2005.
Tokens prepared for LDA: ['budget', 'festival', 'management', 'committee', 'present', 'budget', 'caribana', 'prepare', 'caribana', 'group']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 19, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 21, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on October 25, 2011.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'october']
Original Request: A copy of health inspection reports for {a specified address} as well as for the entire building from Jan. 2012 to Jan. 2013. The inspector was Cathy Loik.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address', 'entire', 'build', 'january', 'january', 'inspector', 'cathy']
Original Request: A copy of ML&S investigation file #B22659 relating to {an individual}.
Tokens prepared for LDA: ['investigation', 'b22659', 'relate', 'individual}.']
Original Request: A copy of records documenting City expenses pertaining to the Foulidis v. Ford lawsuit, including any requests (and City responses) for reimbursement of Rob Ford's legal costs.
Tokens prepared for LDA: ['record', 'document', 'expense', 'pertain', 'foulidis', 'lawsuit', 'include', 'request', 'response', 'reimbursement', 'legal']
Original Request: A copy of records documenting City expenses pertaining to the Magder v. Ford lawsuit and divisional court appeal, including any requests (and City responses) for reimbursement of Rob Ford's legal costs.
Tokens prepared for LDA: ['record', 'document', 'expense', 'pertain', 'magder', 'lawsuit', 'divisional', 'court', 'appeal', 'include', 'request', 'response', 'reimbursement', 'legal']
Original Request: A copy of the work order against York Condominium Corporation #84 regarding {a specified address} from 1984 or 1985.
Tokens prepared for LDA: ['order', 'condominium', 'corporation', 'regard', 'specify', 'address']
Original Request: A copy of the MLS records related to charges against {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'charge', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 30, 2012 at approximately 3:30 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november', 'approximately']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Highway 427 and QEW. The incident occurred on August 5, 2012.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'highway', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 26, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 19, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 11, 2012 at approximately 11:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november', 'approximately', '11:00']
Original Request: A copy of all documents and building permits for {a specified address} as far back as possible.
Tokens prepared for LDA: ['document', 'build', 'permit', 'specify', 'address', 'possible']
Original Request: A copy of all complaints made against {a specified address}.
Tokens prepared for LDA: ['complaint', 'specify', 'address}.']
Original Request: A copy of the service records, inspection reports, work requests, work orders and related information for the water and sewer mains located on Woodward Avenue between Uphill Avenue and Jane Street.
Tokens prepared for LDA: ['service', 'record', 'inspection', 'report', 'request', 'order', 'relate', 'information', 'water', 'sewer', 'locate', 'woodward', 'avenue', 'uphill', 'avenue', 'street']
Original Request: A copy of invoices between Impact Cleaning Services and the City from January 2012 to 2013. Also copies of any complaint/resolution documents and compliance investigation/result documents.
Tokens prepared for LDA: ['invoice', 'impact', 'cleaning', 'services', 'january', 'complaint', 'resolution', 'document', 'compliance', 'investigation', 'result', 'document']
Original Request: A copy of all documents and information related to enforcement against {an individual} or his company, World Car Park, located at {two addresses}.
Tokens prepared for LDA: ['document', 'information', 'relate', 'enforcement', 'individual', 'company', 'world', 'locate', 'addresses}.']
Original Request: A copy of any and all complaints received regarding the {an individual} located at {a specified address} between January 1, 2008 and January 1, 2013.
Tokens prepared for LDA: ['complaint', 'receive', 'regard', 'individual', 'locate', 'specify', 'address', 'january', 'january']
Original Request: A copy of any records related to the builder of {a specified address}.
Tokens prepared for LDA: ['record', 'relate', 'builder', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 26, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of any records related to sidewalk and boulevard cut permits issued between August 1, 2011 and August 1, 2012 at {a specified address}, Scarborough.
Tokens prepared for LDA: ['record', 'relate', 'sidewalk', 'boulevard', 'permit', 'issue', 'august', 'august', 'specify', 'address', 'scarborough']
Original Request: A copy of the MLS open file report for {a specified address}.
Tokens prepared for LDA: ['report', 'specify', 'address}.']
Original Request: A copy of any building records for {a specified address} from as far back as possible to 2010.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'possible']
Original Request: A copy of the building permit for {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address}.']
Original Request: A copy of all documents related to the MLS, Public Health, and Fire Service inspections that occurred at {a specified address} from August 2012 to present.
Tokens prepared for LDA: ['document', 'relate', 'public', 'health', 'service', 'inspection', 'occur', 'specify', 'address', 'august', 'present']
Original Request: A copy of all reports and other documentation related to the building permit issued to {a specified address} for the fire escape built from the second floor, including any field notes and inspection records.
Tokens prepared for LDA: ['report', 'documentation', 'relate', 'build', 'permit', 'issue', 'specify', 'address', 'escape', 'build', 'floor', 'include', 'field', 'inspection', 'record']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on May 28, 2012. Fire Report No.: F12059305.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'report', 'f12059305']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on January 21, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 15, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 12, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 9, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of any records from the Property Database that identify all assessed owners of commercial properties with a mailing address outside of Canada.
Tokens prepared for LDA: ['record', 'property', 'database', 'identify', 'ass', 'owner', 'commercial', 'property', 'address', 'outside', 'canada']
Original Request: A copy of the fire report for a motor vehicle accident that occurred at Steeles Avenue West and Dufferin Street. The incident occurred on June 4, 2009.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'steele', 'avenue', 'dufferin', 'street', 'incident', 'occur']
Original Request: A copy of all building and planning reports for {a specified address}, including records from building inspectors for any and all construction done on the building.
Tokens prepared for LDA: ['build', 'report', 'specify', 'address', 'include', 'record', 'build', 'inspector', 'construction', 'build']
Original Request: A copy of the archival records related to police duty books from the 1930's. Fonds 38, Series 92, File 55, 1930, Fonds 38, Series 130, File 47, 1930, Fonds 38, Series 142, File 45, 1930 and Fonds 38, Series 143, File 45, 1930.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'police', 'fonds', 'series', 'fonds', 'series', 'fonds', 'series', 'fonds', 'series']
Original Request: A copy of information related to the RFQ that was awarded to TTR Group Inc, specifically the name of the manufacturer of the valve that TTR Group will be supplying the City of Toronto.
Tokens prepared for LDA: ['information', 'relate', 'award', 'group', 'specifically', 'manufacturer', 'valve', 'group', 'supply', 'toronto']
Original Request: A copy of all information related to the MLS file no. B304396.
Tokens prepared for LDA: ['information', 'relate', 'b304396']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 28, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 16, 2012 around 11:00 p.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october', '11:00']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 23, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: Copies of documents/records concerning Works Best Practices initiated by EMA for Toronto Water. Request to view documents/records for justification to increase water rates by 9% each starting from 2013 along with report required by Council in June 2013.
Tokens prepared for LDA: ['copy', 'document', 'record', 'concern', 'works', 'practice', 'initiate', 'toronto', 'water', 'request', 'document', 'record', 'justification', 'increase', 'water', 'start', 'report', 'require', 'council']
Original Request: A copy of any records pertaining to the City owned trees at or near {a specified address} from January 1, 2007 to September 8, 2012.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'january', 'september']
Original Request: A copy of any records pertaining to the City owned trees at or near {a specified address} from January 1, 2002 to October 30, 2012.
Tokens prepared for LDA: ['record', 'pertain', 'specify', 'address', 'january', 'october']
Original Request: A copy of full tender results for RFQ# 02-4101-ABTP- Butterfly Valves for Toronto Water, Ashbridges Bay Treatment Plant, supply and delivery of (x7) 750 mm (30") Butterfly Valves.
Tokens prepared for LDA: ['tender', 'result', '4101-abtp-', 'butterfly', 'valve', 'toronto', 'water', 'ashbridges', 'treatment', 'plant', 'supply', 'delivery', 'butterfly', 'valve']
Original Request: A copy of all documents related to {a specified address}, including building permits, building inspections, Committee of Adjustment decisions, all notes, meeting notices, payments, receipts, name of contractors, sketches, and inspections.
Tokens prepared for LDA: ['document', 'relate', 'specify', 'address', 'include', 'build', 'permit', 'build', 'inspection', 'committee', 'adjustment', 'decision', 'notice', 'payment', 'receipt', 'contractor', 'sketch', 'inspection']
Original Request: A copy of all property tax records for {a specified address}, including all notes of conversations, letters, receipts and legal documents from 2004 to April 2009. Also any title documents related to eligible voters, garbage bins, and water/utility bills.
Tokens prepared for LDA: ['property', 'record', 'specify', 'address', 'include', 'conversation', 'letter', 'receipt', 'legal', 'document', 'april', 'title', 'document', 'relate', 'eligible', 'voter', 'garbage', 'water', 'utility']
Original Request: A copy of all records from MLS related to heating issues, hot water tank issues, hydro costs, and electrical or plumbing issues for {a specified address}, including all complaints, inspections, violation records, orders, etc. Records from 2006 to present.
Tokens prepared for LDA: ['record', 'relate', 'issue', 'water', 'issue', 'hydro', 'electrical', 'plumb', 'issue', 'specify', 'address', 'include', 'complaint', 'inspection', 'violation', 'record', 'order', 'record', 'present']
Original Request: A list including all court convicted parking tag infractions, including the date of infraction, the date of conviction and fine paid (when it was paid and how much) from January 1, 2000 to December 31, 2012.
Tokens prepared for LDA: ['include', 'court', 'convict', 'infraction', 'include', 'infraction', 'conviction', 'january', 'december']
Original Request: A copy of records showing the total number of civilian arrests made by contract security guards employed by G4S Secure Solutions Ltd. in the City of Toronto sites, buildings or properties for 2009, 2010, 2011, and 2012.
Tokens prepared for LDA: ['record', 'total', 'civilian', 'arrest', 'contract', 'security', 'guard', 'employ', 'secure', 'solution', 'toronto', 'building', 'property']
Original Request: A copy of records showing the minimum certifications, training, or security professional courses or memberships is required by a private security guard to work under contract between the City and security service provider.
Tokens prepared for LDA: ['record', 'minimum', 'certification', 'train', 'security', 'professional', 'course', 'membership', 'require', 'private', 'security', 'guard', 'contract', 'security', 'service', 'provider']
Original Request: A copy of any records related to water shut off or being turned off for the incident on {a specified address}. The incident occurred between October 21 to 24, 2012.
Tokens prepared for LDA: ['record', 'relate', 'water', 'incident', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the demolition permits for {a specified address}.
Tokens prepared for LDA: ['demolition', 'permit', 'specify', 'address}.']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on November 4, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 30, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 22, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for the motor vehicle accident on Yonge Street just south of Finch Avenue West. The incident occurred on May 9, 2008.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'yonge', 'street', 'south', 'finch', 'avenue', 'incident', 'occur']
Original Request: A copy of records related to sections 37 and 45 of the Planning Act with respect to contributions and the disbursements made in wards 23 and 27 from 2002 to 2012 and ward 20 from 2006 to 2012.
Tokens prepared for LDA: ['record', 'relate', 'section', 'planning', 'respect', 'contribution', 'disbursement']
Original Request: A copy of the building permit application for each permit issued on the IBMS report "Permits Issued for Subscription List" related to {a specified address} from January 1, 2006 to February 5, 2013.
Tokens prepared for LDA: ['build', 'permit', 'application', 'permit', 'issue', 'report', 'permit', 'issue', 'subscription', 'relate', 'specify', 'address', 'january', 'february']
Original Request: A copy of any information from January 15 to 17, 2009 regarding any water related incidents, including records specifically from the incident at {a specified address}.
Tokens prepared for LDA: ['information', 'january', 'regard', 'water', 'relate', 'incident', 'include', 'record', 'specifically', 'incident', 'specify', 'address}.']
Original Request: A copy of all records related to the dog bite incident from October 2, 2012. The dog bite incident involved {an individual} who was injured.
Tokens prepared for LDA: ['record', 'relate', 'incident', 'october', 'incident', 'involve', 'individual', 'injure']
Original Request: A copy of any records related to repairs, including work orders, notices, or violations, for {a specified address} from January 2011 to present.
Tokens prepared for LDA: ['record', 'relate', 'repair', 'include', 'order', 'notice', 'violation', 'specify', 'address', 'january', 'present']
Original Request: A copy of the health inspection report for {a specified address}. The inspection occurred on January 8, 2013.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'specify', 'address}.', 'inspection', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on September 30, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on April 5, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'april']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 1, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of all records related to the notice of violation issued to {a specified address} by Fire Services on October 17, 2012, including any inspection records and correspondence.
Tokens prepared for LDA: ['record', 'relate', 'notice', 'violation', 'issue', 'specify', 'address', 'services', 'october', 'include', 'inspection', 'record', 'correspondence']
Original Request: A copy of all correspondence related to a renovation permit at {a specified address}, including correspondence between the Building Inspector, Engineering Firm and Architect. Permit no. 09125686-001, 002, and 219913.
Tokens prepared for LDA: ['correspondence', 'relate', 'renovation', 'permit', 'specify', 'address', 'include', 'correspondence', 'building', 'inspector', 'engineering', 'architect', 'permit', '09125686', '219913']
Original Request: A copy of records showing the names of the winner and the other bidders, including the amounts for the Toronto Water RFQ related to Divisional Operations Supply and Delivery of Arborist Services. The closing date was October 9, 2012.
Tokens prepared for LDA: ['record', 'winner', 'bidder', 'include', 'toronto', 'water', 'relate', 'divisional', 'operations', 'supply', 'delivery', 'arborist', 'services', 'close', 'october']
Original Request: A copy of all documents related to the building permit files for {a specified address}. Building Permit No. 150571 (1981).
Tokens prepared for LDA: ['document', 'relate', 'build', 'permit', 'specify', 'address}.', 'building', 'permit', '150571']
Original Request: A copy of any e-mails sent by Mayor Rob Ford or his staff on the subject of the Woodbine Live project between October 1, 2012 and February 11, 2013. Including any e-mails to the Mayor's Office from The Cordish Companies.
Tokens prepared for LDA: ['mayor', 'staff', 'subject', 'woodbine', 'project', 'october', 'february', 'include', 'mayor', 'office', 'cordish', 'company']
Original Request: A copy of any general guidance or policy documents (e-mails, memos, briefing notes) prepared by Strategic Communications between October 2010 and December 31, 2011 related to how senior staff should respond to media inquiries and interview requests.
Tokens prepared for LDA: ['general', 'guidance', 'policy', 'document', 'brief', 'prepare', 'strategic', 'communications', 'october', 'december', 'relate', 'senior', 'staff', 'respond', 'medium', 'inquiry', 'interview', 'request']
Original Request: A copy of records related to the most recent New Year's levee, specifically e-mails sent by members of the Mayor's staff in December 2012 related to the levee or related to possible alternative plans for the day of the levee.
Tokens prepared for LDA: ['record', 'relate', 'recent', 'levee', 'specifically', 'member', 'mayor', 'staff', 'december', 'relate', 'levee', 'relate', 'possible', 'alternative', 'levee']
Original Request: A copy of all building records for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address}.']
Original Request: A copy of documents related to waste water infractions, including any policies or documents on how to fix the infractions or mitigate the problem. Records from 2012.
Tokens prepared for LDA: ['document', 'relate', 'waste', 'water', 'infraction', 'include', 'policy', 'document', 'infraction', 'mitigate', 'problem', 'record']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on December 28, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on January 30, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for the motor vehicle accident that occurred at Dundas West intersection (west of Royal York). The incident occurred on August 25, 2011.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'occur', 'dundas', 'intersection', 'royal', 'incident', 'occur', 'august']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 4, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 18, 2013. Fire Report No.: F13005003.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january', 'report', 'f13005003']
Original Request: A copy of any records related to accident statistics, reports and design complaints in the area of Birchmount Road and Beswick Park Court from 2006 to present.
Tokens prepared for LDA: ['record', 'relate', 'accident', 'statistic', 'report', 'design', 'complaint', 'birchmount', 'beswick', 'court', 'present']
Original Request: A copy of any information related to the locates in the back of the plaza parking lot located at {a specified address} from 2012.
Tokens prepared for LDA: ['information', 'relate', 'locate', 'plaza', 'locate', 'specify', 'address']
Original Request: A copy of any and all information pertaining to the tree(s) in the backyard of {a specified address}.
Tokens prepared for LDA: ['information', 'pertain', 'tree(s', 'backyard', 'specify', 'address}.']
Original Request: A copy of all correspondence and letters, e-mails, files and reports to or from Brenda Patterson and Jim Hart with any reference to McLevin Community Park including the renaming of the park.
Tokens prepared for LDA: ['correspondence', 'letter', 'report', 'brenda', 'patterson', 'reference', 'mclevin', 'community', 'include', 'rename']
Original Request: A copy of the engineering report for {a specified address}.
Tokens prepared for LDA: ['engineer', 'report', 'specify', 'address}.']
Original Request: A copy of the fire report for the motor vehicle accident at Snowcrest Avenue and Unicorn Avenue. The incident occurred on December 18, 2008.
Tokens prepared for LDA: ['report', 'motor', 'vehicle', 'accident', 'snowcrest', 'avenue', 'unicorn', 'avenue', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on December 29, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 8, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of all handwritten inspection reports for Bendale Acres Kitchen from January 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'bendale', 'acres', 'kitchen', 'january', 'present']
Original Request: A copy of any MLS violations or orders related to {a specified address} between September 2012 and present.
Tokens prepared for LDA: ['violation', 'order', 'relate', 'specify', 'address', 'september', 'present']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 31, 2012. Fire Report No.: F12107940.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october', 'report', 'f12107940']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 20, 2012 around 9:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of all maintenance records for at least 5 years prior to the sewer back up incident at {a specified address} on August 7, 2012.
Tokens prepared for LDA: ['maintenance', 'record', 'little', 'prior', 'sewer', 'incident', 'specify', 'address', 'august']
Original Request: A copy of any Public Health records, reports, or any outstanding issues related to {a specified address}.
Tokens prepared for LDA: ['public', 'health', 'record', 'report', 'outstanding', 'issue', 'relate', 'specify', 'address}.']
Original Request: A copy of any clinical notes or records regarding a food contamination incident involving {an individual}. The food contamination incident occurred at the A&W restaurant located in the {a specified address} on December 19, 2012.
Tokens prepared for LDA: ['clinical', 'record', 'regard', 'contamination', 'incident', 'involve', 'individual}.', 'contamination', 'incident', 'occur', 'restaurant', 'locate', 'specify', 'address', 'december']
Original Request: A copy of all records related to the fire inspection of {a specified address}. The inspection occurred on January 21, 2013.
Tokens prepared for LDA: ['record', 'relate', 'inspection', 'specify', 'address}.', 'inspection', 'occur', 'january']
Original Request: A copy of all records involving Mayor Rob Ford's entrance and exit of City Hall parking lot from January 1, 2012 to present.
Tokens prepared for LDA: ['record', 'involve', 'mayor', 'entrance', 'january', 'present']
Original Request: A copy of all documents, including but not limited to, e-mails, text messages, correspondence, meeting minutes, briefing notes, and names involving roadwork on Edenbridge Drive between January 1, 2012 and present.
Tokens prepared for LDA: ['document', 'include', 'limit', 'message', 'correspondence', 'minute', 'brief', 'involve', 'roadwork', 'edenbridge', 'drive', 'january', 'present']
Original Request: A list of building permits issued from Dec. 1, 2010 to present, including type of permit, commerical or residential, applicant or developer name (i.e. company name), the permit issue date, property address, or any other general information available.
Tokens prepared for LDA: ['build', 'permit', 'issue', 'december', 'present', 'include', 'permit', 'commerical', 'residential', 'applicant', 'developer', 'company', 'permit', 'issue', 'property', 'address', 'general', 'information', 'available']
Original Request: A copy of the MLS report from around November 7, 2011 related to a banging radiator at {a specified address}.
Tokens prepared for LDA: ['report', 'november', 'relate', 'radiator', 'specify', 'address}.']
Original Request: A copy of the Public Health file no. 4047332 regarding a dog bite incident that occurred on June 1, 2011 around 1:00 p.m.
Tokens prepared for LDA: ['public', 'health', '4047332', 'regard', 'incident', 'occur']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on November 15, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'november']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 11, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on February 7, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on February 12, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 12, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on September 19, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'september']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 30, 2013 around 5:00 a.m.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of any building, zoning, and building complaint records related to {a specified address}, including any records showing the building type.
Tokens prepared for LDA: ['build', 'build', 'complaint', 'record', 'relate', 'specify', 'address', 'include', 'record', 'build']
Original Request: A copy of any building, zoning, and building complaint records related to {a specified address}, including any records showing the building type or if the side entrance is permitted.
Tokens prepared for LDA: ['build', 'build', 'complaint', 'record', 'relate', 'specify', 'address', 'include', 'record', 'build', 'entrance', 'permit']
Original Request: A copy of any building records prior to 1995 for {a specified address}, including any records related to the property survey or demolition records.
Tokens prepared for LDA: ['build', 'record', 'prior', 'specify', 'address', 'include', 'record', 'relate', 'property', 'survey', 'demolition', 'record']
Original Request: A copy of the minutes related to the hearing that took place on February 14, 2013 at 9:00 a.m. at 150 Borough Drive in Committee Room 1. The hearing was in relation to a dog attack. Incident occurred on June14, 2012 at {a specified address}.
Tokens prepared for LDA: ['minute', 'relate', 'place', 'february', 'borough', 'drive', 'committee', 'relation', 'attack', 'incident', 'occur', 'june14', 'specify', 'address}.']
Original Request: A copy of all investigation reports of Eglinton Avenue West from May 14, 2012 to May 21, 2012, including the service request details, photos of the pothole, and records showing how many people called 311 to report the pothole.
Tokens prepared for LDA: ['investigation', 'report', 'eglinton', 'avenue', 'include', 'service', 'request', 'photo', 'pothole', 'record', 'people', 'report', 'pothole']
Original Request: A copy of the building permit for {a specified address}, Scarborough.
Tokens prepared for LDA: ['build', 'permit', 'specify', 'address', 'scarborough']
Original Request: A copy of records related to the complaint made to 311 against {a specified address} regarding issues with maintenance and repairs. Inspectors visited the property in December 2012 and a notice of fire code violation was issued.
Tokens prepared for LDA: ['record', 'relate', 'complaint', 'specify', 'address', 'regard', 'issue', 'maintenance', 'repair', 'inspector', 'visit', 'property', 'december', 'notice', 'violation', 'issue']
Original Request: A copy of all handwritten inspection reports for Lakeshore Collegiate Institute from January 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'lakeshore', 'collegiate', 'institute', 'january', 'present']
Original Request: A copy of the fire inspection report for {a specified address}, Scarborough. The inspection occurred on January 30, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'specify', 'address', 'scarborough', 'inspection', 'occur', 'january']
Original Request: A copy of all information related to orders issued at {a specified address}, including reports or records outlining actions taken from 2012 to present.
Tokens prepared for LDA: ['information', 'relate', 'order', 'issue', 'specify', 'address', 'include', 'report', 'record', 'outline', 'action', 'present']
Original Request: A copy of all documnets from Public Health regarding the mould inspection at {a specified address}, Scarborough.
Tokens prepared for LDA: ['documnets', 'public', 'health', 'regard', 'mould', 'inspection', 'specify', 'address', 'scarborough']
Original Request: A copy of inspection records related to the construction at the townhouse complex located at {a specified address}, including the noise rating records (file 147927), the excessive dust records, and records re: permission and approval for the construction.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'construction', 'townhouse', 'complex', 'locate', 'specify', 'address', 'include', 'noise', 'record', '147927', 'excessive', 'record', 'record', 'permission', 'approval', 'construction']
Original Request: A copy of all building permit and inspection records for {a specified address} as well as any MLS records.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'record', 'specify', 'address', 'record']
Original Request: A copy of all building records for {a specified address}, including correspondence, records or notices relevant to any geothermal systems installation, building code violations, inspections, reports, permit records, Committee of Adjustment records, etc.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address', 'include', 'correspondence', 'record', 'notice', 'relevant', 'geothermal', 'installation', 'build', 'violation', 'inspection', 'report', 'permit', 'record', 'committee', 'adjustment', 'record']
Original Request: A copy of the fire report for {a specified address}, Etobicoke. The incident occurred on January 28, 2013. Fire Report No. F13008002.
Tokens prepared for LDA: ['report', 'specify', 'address', 'etobicoke', 'incident', 'occur', 'january', 'report', 'f13008002']
Original Request: A copy of the fire report for {a specified address}, Scarborough. The incident occurred on January 24, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address', 'scarborough', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 18, 2013. Fire Report No. F13014164.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february', 'report', 'f13014164']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 22, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on September 20, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'september']
Original Request: A copy of the executed settlement agreement between the City and {a named Councillor} as well as the tolling agreement between the City and Adrian Heaps with respect to ultra vires payment of legal fees for 2006 compliance audit.
Tokens prepared for LDA: ['execute', 'settlement', 'agreement', 'councillor', 'agreement', 'adrian', 'heaps', 'respect', 'ultra', 'vires', 'payment', 'legal', 'compliance', 'audit']
Original Request: A copy of all documents, including audits, reviews, e-mails, etc. and any documents from the funding agreement with the Toronto Environmental Alliance (Grant #G-Jun 2010-7).
Tokens prepared for LDA: ['document', 'include', 'audit', 'review', 'document', 'agreement', 'toronto', 'environmental', 'alliance', 'grant']
Original Request: A copy of the complete building file relating to the Kings Townhouses located at {a specified address}.
Tokens prepared for LDA: ['complete', 'build', 'relate', 'king', 'townhouses', 'locate', 'specify', 'address}.']
Original Request: A copy of the Heron Park CRC parking lot camera footage from January 18, 2013. Records from 8:30 a.m. to 9:30 a.m.
Tokens prepared for LDA: ['heron', 'camera', 'footage', 'january', 'record']
Original Request: A copy of the registered name of Oliver Jewellery at {a specified address}, including the name of the president or owner, the names of all directors and their duties in the company, and any other relevant information about the company.
Tokens prepared for LDA: ['register', 'oliver', 'jewellery', 'specify', 'address', 'include', 'president', 'owner', 'director', 'company', 'relevant', 'information', 'company']
Original Request: A copy of the red light camera photos taken at Windermere Avenue and Lakeshore Blvd. on January 22, 2013 between 9:40 9:45 p.m.
Tokens prepared for LDA: ['light', 'camera', 'photo', 'windermere', 'avenue', 'lakeshore', 'january']
Original Request: A copy of the animal service records related to the dog bite incident that occurred on February 2, 2013. The incident involved {an individual}.
Tokens prepared for LDA: ['animal', 'service', 'record', 'relate', 'incident', 'occur', 'february', 'incident', 'involve', 'individual}.']
Original Request: A copy of records related to dog and cat adoptions and transfers by and to Toronto Animal Services, including information related to the Toronto Humane Society. All records separately broken down by year for the years 2010, 2011 and 2012.
Tokens prepared for LDA: ['record', 'relate', 'adoption', 'transfer', 'toronto', 'animal', 'services', 'include', 'information', 'relate', 'toronto', 'humane', 'society', 'record', 'separately', 'break']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on December 20, 2010.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'december']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 8, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of records related to changes made to the structure, boundaries, use, etc. of {a specified address}, including building records, rezoning information, orders, permits, applications, and urban forestry records. Records from January 1, 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'change', 'structure', 'boundary', 'specify', 'address', 'include', 'build', 'record', 'rezoning', 'information', 'order', 'permit', 'application', 'urban', 'forestry', 'record', 'record', 'january', 'present']
Original Request: A copy of records showing the use of the building in 1952 for {a specified address}.
Tokens prepared for LDA: ['record', 'build', 'specify', 'address}.']
Original Request: A copy of all building records for {a specified address}.
Tokens prepared for LDA: ['build', 'record', 'specify', 'address}.']
Original Request: A copy of records related to changes made to the structure, boundaries, use, etc. of {a specified address}, including building records, rezoning information, orders, permits, applications, and urban forestry records. Records from January 1, 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'change', 'structure', 'boundary', 'specify', 'address', 'include', 'build', 'record', 'rezoning', 'information', 'order', 'permit', 'application', 'urban', 'forestry', 'record', 'record', 'january', 'present']
Original Request: A copy of records related to changes made to the structure, boundaries, use, etc. of {a specified address}, including building records, rezoning information, orders, permits, applications, and urban forestry records. Records from January 1, 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'change', 'structure', 'boundary', 'specify', 'address', 'include', 'build', 'record', 'rezoning', 'information', 'order', 'permit', 'application', 'urban', 'forestry', 'record', 'record', 'january', 'present']
Original Request: A copy of records related to changes made to the structure, boundaries, use, etc. of {a specified address}, including building records, rezoning information, orders, permits, applications, and urban forestry records. Records from January 1, 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'change', 'structure', 'boundary', 'specify', 'address', 'include', 'build', 'record', 'rezoning', 'information', 'order', 'permit', 'application', 'urban', 'forestry', 'record', 'record', 'january', 'present']
Original Request: A copy of records related to changes made to the structure, boundaries, use, etc. of {a specified address}, including building records, rezoning information, orders, permits, applications, and urban forestry records. Records from January 1, 2007 to present.
Tokens prepared for LDA: ['record', 'relate', 'change', 'structure', 'boundary', 'specify', 'address', 'include', 'build', 'record', 'rezoning', 'information', 'order', 'permit', 'application', 'urban', 'forestry', 'record', 'record', 'january', 'present']
Original Request: A copy of the Toronto Water reports relating to the water main break that occurred in front of {a specified address}. The incident occurred on January 30, 2013.
Tokens prepared for LDA: ['toronto', 'water', 'report', 'relate', 'water', 'break', 'occur', 'specify', 'address}.', 'incident', 'occur', 'january']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on January 1, 2011. Also any available photographs related to the incident.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'january', 'available', 'photograph', 'relate', 'incident']
Original Request: A copy of all records related to {a specified address}, including inspection reports and complaint files. Records from 2005 to present.
Tokens prepared for LDA: ['record', 'relate', 'specify', 'address', 'include', 'inspection', 'report', 'complaint', 'record', 'present']
Original Request: A copy of the by-law inspection report related to {a specified address}. The inspection occurred on October 3, 2012.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'specify', 'address}.', 'inspection', 'occur', 'october']
Original Request: A copy of all examiner and inspector notes as well as related documents regarding the excavation, foundation, caissons and tie-back shoring plans between MTCC #576 {a specified address} and {a specified address}.
Tokens prepared for LDA: ['examiner', 'inspector', 'relate', 'document', 'regard', 'excavation', 'foundation', 'caisson', 'shore', 'specify', 'address', 'specify', 'address}.']
Original Request: A copy of the fire service prevention orders to the landlord at {a specified address} for the installation of carbon monoxide detectors in all units for the past 6 months.
Tokens prepared for LDA: ['service', 'prevention', 'order', 'landlord', 'specify', 'address', 'installation', 'carbon', 'monoxide', 'detector', 'month']
Original Request: A copy of all building permits and investigation records related to {a specified address}.
Tokens prepared for LDA: ['build', 'permit', 'investigation', 'record', 'relate', 'specify', 'address}.']
Original Request: A copy of the fire violation order and notice records related to the investigation of the basement apartment at {a specified address}. The inspection was in December 2012.
Tokens prepared for LDA: ['violation', 'order', 'notice', 'record', 'relate', 'investigation', 'basement', 'apartment', 'specify', 'address}.', 'inspection', 'december']
Original Request: A copy of all documents related to the fire inspection of {a specified address}, including records created after the inspection and records from the Captain and Jr. Captain(s) involved. The inspection occurred on December 4, 2012.
Tokens prepared for LDA: ['document', 'relate', 'inspection', 'specify', 'address', 'include', 'record', 'create', 'inspection', 'record', 'captain', 'captain(s', 'involve', 'inspection', 'occur', 'december']
Original Request: A copy of the status request report no. 1943167 for {a specified address}, including the February 20, 2013 report related to clean up and the February 21, 2013 report from the remedial crew (flood report).
Tokens prepared for LDA: ['status', 'request', 'report', '1943167', 'specify', 'address', 'include', 'february', 'report', 'relate', 'clean', 'february', 'report', 'remedial', 'flood', 'report']
Original Request: Archival records dealing with YongeSt. pedestrianization project in the early 1970s.
Tokens prepared for LDA: ['archival', 'record', 'yongest', 'pedestrianization', 'project', 'early', '1970s']
Original Request: A copy of all building inspection reports and notes for {a specified address}. for file # 03-155651.
Tokens prepared for LDA: ['build', 'inspection', 'report', 'specify', 'address}.', '155651']
Original Request: A copy of all handwritten inspection reports from Public Health for Central Tecnical School from Jan. 1, 2010 to present.
Tokens prepared for LDA: ['handwritten', 'inspection', 'report', 'public', 'health', 'central', 'tecnical', 'school', 'january', 'present']
Original Request: A copy of fire incident report for {a specified address}.
Tokens prepared for LDA: ['incident', 'report', 'specify', 'address}.']
Original Request: A copy of 311 call records from Jan. to March 2013 relating to {a specified address}, as well as Public Health records. The issues relate to pipes, cold water, kitchen tap water leaking, washroom tap water not working properly.
Tokens prepared for LDA: ['record', 'january', 'march', 'relate', 'specify', 'address', 'public', 'health', 'record', 'issue', 'relate', 'water', 'kitchen', 'water', 'washroom', 'water', 'properly']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 20, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on October 30, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'october']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 27, 2013.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on February 27, 2013. Fire Report No. F13016508.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur', 'february', 'report', 'f13016508']
Original Request: A copy of the fire report for {a specified address}. The incident occurred on July 26, 2012.
Tokens prepared for LDA: ['report', 'specify', 'address}.', 'incident', 'occur']
Original Request: A copy of all Emergency Medical Service call records related to medical assistance calls to {a specified address} from June 5, 2011 to present.
Tokens prepared for LDA: ['emergency', 'medical', 'service', 'record', 'relate', 'medical', 'assistance', 'specify', 'address', 'present']
Original Request: City pipe / drain / sewer maintenance / repairs / work orders / flush records / city water report for {}, Toronto, from January 2006 to May 2013.
Tokens prepared for LDA: ['drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report', 'toronto', 'january']
Original Request: Copy illustrations for committee of adjustments file A0191/05TEY., including 8 drawings by Sol Arch Ltd. (site plan, 4 plans & 3 elevation drawings).
Tokens prepared for LDA: ['illustration', 'committee', 'adjustment', 'a0191/05tey', 'include', 'drawing', 'elevation', 'drawing']
Original Request: Copies of building permit application forms for {} and documentation on additions and modifications made to the property. Record search from 1930 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'documentation', 'addition', 'modification', 'property', 'record', 'search', 'present']
Original Request: Copies of building permit application forms for {} and documentation on additions and modifications made to the property. Record search from 1930 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'application', 'documentation', 'addition', 'modification', 'property', 'record', 'search', 'present']
Original Request: Copies of documentation relating to mould, liens and building code violations/deficiencies for {} including inspection notes post flood which occurred on Jul. 8, 2015. Record search from Jun. 1, 2013 to Mar. 30, 2015.
Tokens prepared for LDA: ['copy', 'documentation', 'relate', 'mould', 'build', 'violation', 'deficiency', 'include', 'inspection', 'flood', 'occur', 'record', 'search', 'march']
Original Request: (a) A copy of the mechanical leaf collection protocol/program that applied to Windermere Avenue in Toronto from October 1, 2012 to March 1, 2013; (b) Logs evidencing City workers (or City's agents) carrying out the mechanical leaf collection etc.
Tokens prepared for LDA: ['mechanical', 'collection', 'protocol', 'program', 'apply', 'windermere', 'avenue', 'toronto', 'october', 'march', 'evidence', 'worker', 'agent', 'carry', 'mechanical', 'collection']
Original Request: A copy of inspection reports for mould investigation at {}, 311 reference # 2960483. Inspectors Carmen Farah and Stephen Shumelda. Inspection requested in Sep. of 2014.
Tokens prepared for LDA: ['inspection', 'report', 'mould', 'investigation', 'reference', '2960483', 'inspector', 'carmen', 'farah', 'stephen', 'shumelda', 'inspection', 'request', 'september']
Original Request: All e-mail communications, print communications and telephone logs between City of Toronto departments and also the Mayor's office concerning enforcement or non-enforcement of Ontario's Highway Traffic Act.
Tokens prepared for LDA: ['communication', 'print', 'communication', 'telephone', 'toronto', 'department', 'mayor', 'office', 'concern', 'enforcement', 'enforcement', 'ontario', 'highway', 'traffic']
Original Request: Electronic copy of file related to permit # 06-147244 from time of issuance up until 2006.
Tokens prepared for LDA: ['electronic', 'relate', 'permit', '147244', 'issuance']
Original Request: A report under reference # 3256384 relating to concerns over 2 fire hydrants located in front of {}. 311 call was made on March 30, 2015.
Tokens prepared for LDA: ['report', 'reference', '3256384', 'relate', 'concern', 'hydrant', 'locate', 'march']
Original Request: A list of the designated taxi agents, the number of cabs they manage and their business addresses.
Tokens prepared for LDA: ['designate', 'agent', 'manage', 'business', 'address']
Original Request: All records pertaining to {} from Feb. 1, 2012 to Feb. 1, 2015. This includes, without limitation, building permit applications; surveys and other elevation drawings; stop work orders, orders to comply; cease and desist letters.
Tokens prepared for LDA: ['record', 'pertain', 'february', 'february', 'include', 'limitation', 'build', 'permit', 'application', 'survey', 'elevation', 'drawing', 'order', 'order', 'comply', 'cease', 'desist', 'letter']
Original Request: All records pertaining to {} from Feb. 1, 2012 to Feb. 1, 2015. This includes, without limitation, building permit applications; surveys and other elevation drawings; stop work orders, orders to comply; cease and desist letters.
Tokens prepared for LDA: ['record', 'pertain', 'february', 'february', 'include', 'limitation', 'build', 'permit', 'application', 'survey', 'elevation', 'drawing', 'order', 'order', 'comply', 'cease', 'desist', 'letter']
Original Request: Copy of all of the City's inspection files, including building, plumbing and mechanical and a copy of inspections, plans approvals, including the sewage pipe and connection to the City drains for {}, from Jan. 1, 2005 to Dec. 31, 2014.
Tokens prepared for LDA: ['inspection', 'include', 'build', 'plumb', 'mechanical', 'inspection', 'approval', 'include', 'sewage', 'connection', 'drain', 'january', 'december']
Original Request: Property Standards Order issued for {} on Jan. 18, 2014 including officers' notes from Lefteris Miltiadou, N. Sweetapple, supervisors, Head of Dept., e-mails with Paula Fletcher, from Dec. 2013 to present.
Tokens prepared for LDA: ['property', 'standard', 'order', 'issue', 'january', 'include', 'officer', 'lefteris', 'miltiadou', 'sweetapple', 'supervisor', 'paula', 'fletcher', 'december', 'present']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property standards, work orders, deficiency notices etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property standards, work orders, deficiency notices etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'standard', 'order', 'deficiency', 'notice']
Original Request: For the Highland Creek Water Pollution Control Plant, for the period of Jan. 1, 2013 to Dec. 31, 2014; The hourly and/or daily monitoring data for the following: a) temperature b) effluent nitrate concentration c) final effluent total phosphorus
Tokens prepared for LDA: ['highland', 'creek', 'water', 'pollution', 'control', 'plant', 'period', 'january', 'december', 'hourly', 'and/or', 'daily', 'monitor', 'datum', 'follow', 'temperature', 'effluent', 'nitrate', 'concentration', 'final', 'effluent', 'total', 'phosphorus']
Original Request: A copy of any incident reports/notes taken on Jun. 30, 2014 by the security guard and/or any City personnel at the North York Civic Centre regarding a slip and fall incident involving {}.
Tokens prepared for LDA: ['incident', 'report', 'security', 'guard', 'and/or', 'personnel', 'north', 'civic', 'centre', 'regard', 'incident', 'involve']
Original Request: A copy of all notes regarding directive provided by {} to Animal Services pertaining to her authorization to {} for the care of her dog during her absence from the Province.
Tokens prepared for LDA: ['regard', 'directive', 'provide', 'animal', 'services', 'pertain', 'authorization', 'absence', 'province']
Original Request: All building records and permits issued to {} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'permit', 'issue', 'possible', 'present']
Original Request: Any and all records pertaining to contract number 09FS-70WS between the City of Toronto and Drainstar Contracting Ltd. (Drainstar). Including information pertaining to repairs to Drainstar's project on Avenue Road from August 2012 to October 2012.
Tokens prepared for LDA: ['record', 'pertain', 'contract', '09fs-70ws', 'toronto', 'drainstar', 'contracting', 'drainstar', 'include', 'information', 'pertain', 'repair', 'drainstar', 'project', 'avenue', 'august', 'october']
Original Request: All applications and inspection reports for {}, Toronto for the following applications forremodeling/converting house/creating second suite from Jan. 10, 2014 to present.
Tokens prepared for LDA: ['application', 'inspection', 'report', 'toronto', 'follow', 'application', 'forremodeling', 'convert', 'house', 'create', 'suite', 'january', 'present']
Original Request: Identity of complainant for file # A15-007359 relating to dog barking in the early hours of the morning.
Tokens prepared for LDA: ['identity', 'complainant', '007359', 'relate', 'early', 'morning']
Original Request: All memos, e-mails, briefings, chat logs, and paper records about South by Southwest Music Festival (SXSW) from Christopher Eby (Chief of Staff), Amara Nwogu (executive assistant), see full text.
Tokens prepared for LDA: ['briefing', 'paper', 'record', 'south', 'southwest', 'music', 'festival', 'christopher', 'chief', 'staff', 'amara', 'nwogu', 'executive', 'assistant']
Original Request: A copy of water pressure test results for {} ref. # 1376794 and 2380861. Record search Feb. 2012 to Nov. 2013.
Tokens prepared for LDA: ['water', 'pressure', 'result', '1376794', '2380861', 'record', 'search', 'february', 'november']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property maintenance, property standards, work orders etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard', 'order']
Original Request: Record of any existing orders issued to {} to destroy long grass and weeds or remediate graffiti. Any investigations with respect to garage sales, signs, property fences, property maintenance, property standards, work orders etc.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'fence', 'property', 'maintenance', 'property', 'standard', 'order']
Original Request: Record of any existing orders issued to {}, PIN 10262-1395 (LT) to destroy long grass and weeds or remediate graffiti.
Tokens prepared for LDA: ['record', 'exist', 'order', 'issue', '10262', 'destroy', 'grass', 'remediate', 'graffito']
Original Request: Record of monies received by the City to remedy conditions experienced by {} between 1965 to present. Any reports made to City Offices (City Hall) by traffic officers and reported elsewhere, confirming conditions sustained from 1958 to 1970.
Tokens prepared for LDA: ['record', 'money', 'receive', 'remedy', 'condition', 'experience', 'present', 'report', 'office', 'traffic', 'officer', 'report', 'confirm', 'condition', 'sustain']
Original Request: An electronic copy of income information for Dufferin Grove Park for all of 2014 under the following categories (as they appeared in FOI# 2014-00777): Café Snack Bar Friday Night Supper Skate Rental Market (Bread) Market (Fee for staff) etc
Tokens prepared for LDA: ['electronic', 'income', 'information', 'dufferin', 'grove', 'follow', 'category', 'appear', '00777', 'snack', 'friday', 'night', 'supper', 'skate', 'rental', 'market', 'bread', 'market', 'staff']
Original Request: Record of any by-law charges against {} by Toronto City Planning and/or Municipal Licensing & Standards, including order notices from Sep. 1, 2014 to Apr. 3, 2015.
Tokens prepared for LDA: ['record', 'charge', 'toronto', 'planning', 'and/or', 'municipal', 'license', 'standard', 'include', 'order', 'notice', 'september', 'april']
Original Request: A complete copy of file# 14 23 7976 PRS 00 IR including all photos, plans, surveys etc., as well as comments and e-mail exchanges regarding order issued on Oct. 22, 2014 to {} at {}.
Tokens prepared for LDA: ['complete', 'include', 'photo', 'survey', 'comment', 'exchange', 'regard', 'order', 'issue', 'october']
Original Request: A copy of Public Health file# 104504 pertaining to landlord-tenant complaint from Mar. 18, 2015 to present.
Tokens prepared for LDA: ['public', 'health', '104504', 'pertain', 'landlord', 'tenant', 'complaint', 'march', 'present']
Original Request: A copy of 2008 cancelled folders, work order 08 111 409 VI {}.
Tokens prepared for LDA: ['cancel', 'folder', 'order']
Original Request: All paper records, memos, e-mails, briefings, and transcriptions that contain reference to Drake (the rapper also known as Aubrey Graham) from January 2009 to present.
Tokens prepared for LDA: ['paper', 'record', 'briefing', 'transcription', 'contain', 'reference', 'drake', 'rapper', 'aubrey', 'graham', 'january', 'present']
Original Request: A complete copy of file including all notes, records, reports and requests made by Building inspectors related to permits associated with file# 12-16437 BLD and/or {.} including any records of instruction given to the builder.
Tokens prepared for LDA: ['complete', 'include', 'record', 'report', 'request', 'building', 'inspector', 'relate', 'permit', 'associate', '16437', 'and/or', 'include', 'record', 'instruction', 'builder']
Original Request: All 311 records for reference no. 3182695, 3186850, 3190717, 3191852, 3213261 and all records pertaining to no water service at {}. Record search from Feb. 16, 2015 to Mar. 14, 2015.
Tokens prepared for LDA: ['record', 'reference', '3182695', '3186850', '3190717', '3191852', '3213261', 'record', 'pertain', 'water', 'service', 'record', 'search', 'february', 'march']
Original Request: Vibration analysis report for construction at Swansea Jr & Sr School at 207 Windermere Ave. from Sep. 1, 2014 to Dec. 21, 2014.
Tokens prepared for LDA: ['vibration', 'analysis', 'report', 'construction', 'swansea', 'school', 'windermere', 'september', 'december']
Original Request: Vibration analysis report for construction at Swansea Jr & Sr School at 207 Windermere Ave. from Sep. 1, 2014 to Dec. 21, 2014.
Tokens prepared for LDA: ['vibration', 'analysis', 'report', 'construction', 'swansea', 'school', 'windermere', 'september', 'december']
Original Request: A copy of the site plans(s) and elevation(s) as approved by the Committee on May 16, 2012 on Committee of Adjustment file no. A0175/12 TEY.
Tokens prepared for LDA: ['plans(s', 'elevation(s', 'approve', 'committee', 'committee', 'adjustment', 'a0175/12']
Original Request: A copy of inspection report for smoking chimney investigation at {}. Record search Jan. 1, 2015 to Mar. 31, 2015. Also a copy of the final decision/report regarding the removal of a tree on the property; record search Nov. to Dec. 2014.
Tokens prepared for LDA: ['inspection', 'report', 'smoke', 'chimney', 'investigation', 'record', 'search', 'january', 'march', 'final', 'decision', 'report', 'regard', 'removal', 'property', 'record', 'search', 'november', 'december']
Original Request: A copy of Forestry and ML&S files regarding tree at {}. Record search from Jan. 2014 to present.
Tokens prepared for LDA: ['forestry', 'regard', 'record', 'search', 'january', 'present']
Original Request: All incident reports relating to the water main line failure at or near {}, East from January 1, 2013 to present. All communications (internal & external) relating to the water main/pipe/service line failure at or near {}.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'failure', 'january', 'present', 'communication', 'internal', 'external', 'relate', 'water', 'service', 'failure']
Original Request: Toronto Water records related to and around {} of: City pipes, drain, sewer maintenance, repairs, work orders, flush records and City water reports from Jun. 2008 to Jul. 2013.
Tokens prepared for LDA: ['toronto', 'water', 'record', 'relate', 'drain', 'sewer', 'maintenance', 'repair', 'order', 'flush', 'record', 'water', 'report']
Original Request: Records of City Councillors making reference to {} at the Mar. 31, 2015 Council Meeting, agenda item: Civic Appointments - Board of Health in Camera Session, approximate time 6:00 to 7:30 PM.
Tokens prepared for LDA: ['record', 'councillor', 'reference', 'march', 'council', 'meeting', 'agendum', 'civic', 'appointment', 'board', 'health', 'camera', 'session', 'approximate']
Original Request: All text portions of permits, inspectors' notes, engineering reports etc., related to the building of {} permits: 12 237707 BLD, PLB, HVA. Record search May 1, 2012 to Oct. 1, 2013.
Tokens prepared for LDA: ['portion', 'permit', 'inspector', 'engineer', 'report', 'relate', 'build', 'permit', '237707', 'record', 'search', 'october']
Original Request: All information on file pertaining to renovations in the year 2000 at {}.
Tokens prepared for LDA: ['information', 'pertain', 'renovation']
Original Request: A copy of inspection, permit plans or any other records for renovations completed at {} from Jan. 1, 1970 to Dec. 31, 1981.
Tokens prepared for LDA: ['inspection', 'permit', 'record', 'renovation', 'complete', 'january', 'december']
Original Request: All building permits (heating, plumbing) and inspection reports with respect to {}.
Tokens prepared for LDA: ['build', 'permit', 'plumb', 'inspection', 'report', 'respect']
Original Request: A copy of asbestos inspection report for {} from 1950 to present.
Tokens prepared for LDA: ['asbestos', 'inspection', 'report', 'present']
Original Request: Record of Landlord Tenant Board issues pertaining to {}, any landlord issues arising from {}, and his agent {}, City of Toronto notes on any calls that come from 311 calls against {}.
Tokens prepared for LDA: ['record', 'landlord', 'tenant', 'board', 'issue', 'pertain', 'landlord', 'issue', 'arise', 'agent', 'toronto']
Original Request: Any and all records of complaints made against {} regarding failure to remove snow or ice or salt the premises, from Nov. 1, 2012 to May 1, 2013.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'failure', 'remove', 'premise', 'november']
Original Request: A copy of inspector's notes pertaining to renovation permit issued in 2002 for {.}.
Tokens prepared for LDA: ['inspector', 'pertain', 'renovation', 'permit', 'issue']
Original Request: All building records and permits on file for {} as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'permit', 'possible', 'present']
Original Request: All matters related to zoning and zoning infractions, and any matters related to marijuana growing license at {}.
Tokens prepared for LDA: ['matter', 'relate', 'infraction', 'matter', 'relate', 'marijuana', 'license']
Original Request: Record of 311 call request for bed bug inspection, and call to ML&S for property inspection (ref. # 324-3951). Record search from Mar. 2015 to present.
Tokens prepared for LDA: ['record', 'request', 'inspection', 'property', 'inspection', 'record', 'search', 'march', 'present']
Original Request: Record of 311 call request for bed bug inspection, and call to ML&S for property inspection (ref. # 324-3951). Record search from Mar. 2015 to present.
Tokens prepared for LDA: ['record', 'request', 'inspection', 'property', 'inspection', 'record', 'search', 'march', 'present']
Original Request: Any and all records of complaints regarding negligence in maintaining both the inside and outside portions (snow and ice removal of building at {} from Oct. 30, 2012 to Oct. 30, 2014.
Tokens prepared for LDA: ['record', 'complaint', 'regard', 'negligence', 'maintain', 'inside', 'outside', 'portion', 'removal', 'build', 'october', 'october']
Original Request: A copy of records regarding blocked drains at {}. Record search from 2010 to 2015.
Tokens prepared for LDA: ['record', 'regard', 'block', 'drain', 'record', 'search']
Original Request: A copy of the most recent building inspection report for {}.
Tokens prepared for LDA: ['recent', 'build', 'inspection', 'report']
Original Request: A copy of inspection report following complaint made some time in Dec. 2014, of rusty colored water at {}.
Tokens prepared for LDA: ['inspection', 'report', 'follow', 'complaint', 'december', 'rusty', 'color', 'water']
Original Request: A copy of inspection report and complaint record of unwanted sound in apartment at {}; file no# 14 245477 NOI 00 IR. Record search from 2014 to present.
Tokens prepared for LDA: ['inspection', 'report', 'complaint', 'record', 'unwanted', 'sound', 'apartment', '245477', 'record', 'search', 'present']
Original Request: Any information regarding a sale by COT to the Federal Government of 130 Queen St. E., being lot 1, plan 812E; approved by the Board of Control on Mar. 19, 1963, report no. 8; registered deed no. T25366 EP on Aug. 14, 1963.
Tokens prepared for LDA: ['information', 'regard', 'federal', 'government', 'queen', 'approve', 'board', 'control', 'march', 'report', 'register', 't25366', 'august']
Original Request: A copy of water drain inspection report relating to ref. # 3273834, on Apr. 14, 2015 at {}.
Tokens prepared for LDA: ['water', 'drain', 'inspection', 'report', 'relate', '3273834', 'april']
Original Request: Record of all building permits issued to {.}.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue']
Original Request: Full report from Inspector, Toronto Water Investigator Mr. Igor Bovt; site visit and investigation of grease spill into storm sewer catch basin, reported to City by Humber College on April 14, 2015. Ref. # 3283365.
Tokens prepared for LDA: ['report', 'inspector', 'toronto', 'water', 'investigator', 'visit', 'investigation', 'grease', 'spill', 'storm', 'sewer', 'catch', 'basin', 'report', 'humber', 'college', 'april', '3283365']
Original Request: All records of City files pertaining to health, building and fire inspections, including building permits and any other notes for {} from Jan. 1, 2012 to Apr. 1, 2015.
Tokens prepared for LDA: ['record', 'pertain', 'health', 'build', 'inspection', 'include', 'build', 'permit', 'january', 'april']
Original Request: All records of City files pertaining to health, building and fire inspections, including building permits and any other notes for {} from Jan. 1, 2012 to Apr. 1, 2015.
Tokens prepared for LDA: ['record', 'pertain', 'health', 'build', 'inspection', 'include', 'build', 'permit', 'january', 'april']
Original Request: All building records for {} from as far back as possible to present.
Tokens prepared for LDA: ['build', 'record', 'possible', 'present']
Original Request: A copy permit issued to {} for interior alterations/dwelling conversion sometime around 1990.
Tokens prepared for LDA: ['permit', 'issue', 'interior', 'alteration', 'dwell', 'conversion']
Original Request: All records pertaining to {} include building permits, describing the reason for the building permit and historical documents.
Tokens prepared for LDA: ['record', 'pertain', 'include', 'build', 'permit', 'reason', 'build', 'permit', 'historical', 'document']
Original Request: A copy of ML&S file, folder no. 15 111439 PRS 00 IR and folder no. 15 112285 PRS 00 IV, pertaining to {}. Record search from Dec. 1, 2014 to present.
Tokens prepared for LDA: ['folder', '111439', 'folder', '112285', 'pertain', 'record', 'search', 'december', 'present']
Original Request: Record identifying the corporation licensed to operate Bliss Gentlemen's Club/Thirsty T's Gentlemen's Club/Charley T's Gentlemen's Club at 1111 Finch Ave. W. on Sep. 7, 2013.
Tokens prepared for LDA: ['record', 'identify', 'corporation', 'license', 'operate', 'bliss', 'gentleman', 'thirsty', 'gentleman', 'charley', 'gentleman', 'finch', 'september']
Original Request: Record of charge(s) laid against the landlord of {} Ave. by the Fire Prevention Unit of the Toronto Fire Services Dept.
Tokens prepared for LDA: ['record', 'charge(s', 'landlord', 'prevention', 'toronto', 'services']
Original Request: A copy of the occupancy permit from the City of Toronto related to the opening of the Paramount/Cineplex/IMax theatre (following its original construction) & copies of any inspections or reports in the city file relating to this theatre.
Tokens prepared for LDA: ['occupancy', 'permit', 'toronto', 'relate', 'paramount', 'cineplex', 'theatre', 'follow', 'original', 'construction', 'inspection', 'report', 'relate', 'theatre']
Original Request: A copy of property standards report for file 14 202814 PRS 00 IR pertaining to {}., and all other reports related to Sigma Canada (owner) including all other investigative records for the aforementioned property.
Tokens prepared for LDA: ['property', 'standard', 'report', '202814', 'pertain', 'report', 'relate', 'sigma', 'canada', 'owner', 'include', 'investigative', 'record', 'aforementioned', 'property']
Original Request: A copy of fire inspection report for investigation carried out on Apr. 9, 2015 at {}. Also, Building permit # 32302 (1942) for new detached; 55685 (1965) for garage; 76804 (1987) for front porch.
Tokens prepared for LDA: ['inspection', 'report', 'investigation', 'carry', 'april', 'building', 'permit', '32302', 'detach', '55685', 'garage', '76804', 'porch']
Original Request: A copy of the American Public Transit Association Peer Review of the project schedule for the Toronto York Spadina Subway Extension TTC and the Bechtel Review of Toronto-York Spadina Subway Extension project status.
Tokens prepared for LDA: ['american', 'public', 'transit', 'association', 'review', 'project', 'schedule', 'toronto', 'spadina', 'subway', 'extension', 'bechtel', 'review', 'toronto', 'spadina', 'subway', 'extension', 'project', 'status']
Original Request: A copy of building permits and inspection reports for {} from Jan. 1, 2012 to Dec. 31, 2012.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'report', 'january', 'december']
Original Request: All records available for water, sewage, gas installation and maintenance work completed at/near {}, including all documentation for sewage/water work completed between Dec. 2014 and April 2015.
Tokens prepared for LDA: ['record', 'available', 'water', 'sewage', 'installation', 'maintenance', 'complete', 'include', 'documentation', 'sewage', 'water', 'complete', 'december', 'april']
Original Request: A complete copy of Animal Services file: any and all reports, notes and memoranda pertaining to dog bite incident on Sep. 9, 2014 at 9:00 P.M. in which {} was bitten by dogs.
Tokens prepared for LDA: ['complete', 'animal', 'services', 'report', 'memorandum', 'pertain', 'incident', 'september']
Original Request: Copies of Public Health and ML&S reports and records regarding investigations at {} from Apr. 13, 2015 to present.
Tokens prepared for LDA: ['copy', 'public', 'health', 'report', 'record', 'regard', 'investigation', 'april', 'present']
Original Request: A copy of building file 14 234728 BLD 00 BA.
Tokens prepared for LDA: ['build', '234728']
Original Request: Information on the owner and telephone number of the current restaurant located at 115 Yorkville Ave. The restaurant is called Kasamoto Restaurant or maybe under a different name.
Tokens prepared for LDA: ['information', 'owner', 'telephone', 'current', 'restaurant', 'locate', 'yorkville', 'restaurant', 'kasamoto', 'restaurant', 'maybe', 'different']
Original Request: Electronic version of the 2014 SAP report for south district and Ward 18 for Parks, Forestry and Recreation year end financials, from Jan. 1 to Dec. 31, 2014.
Tokens prepared for LDA: ['electronic', 'version', 'report', 'south', 'district', 'parks', 'forestry', 'recreation', 'financials', 'january', 'december']
Original Request: Complaints filed against {.} relating to animal control, natural garden, garbage removal, snow removal; complaints made to Urban Forestry re: branches falling on {.} from {}, from 2007 to 2015.
Tokens prepared for LDA: ['complaint', 'relate', 'animal', 'control', 'natural', 'garden', 'garbage', 'removal', 'removal', 'complaint', 'urban', 'forestry', 'branch']
Original Request: Violations of by-laws for the property at {}. Please provide a one page summary of all the past violations reported by the city of toronto's inspectors.
Tokens prepared for LDA: ['violation', 'property', 'provide', 'summary', 'violation', 'report', 'toronto', 'inspector']
Original Request: A copy of surveillance video for Union Station, Front Street Promenade for the incident that occurred on April 14, 2014 at appxo. 9. am.
Tokens prepared for LDA: ['surveillance', 'video', 'union', 'station', 'street', 'promenade', 'incident', 'occur', 'april', 'appxo']
Original Request: Building permits, Committee of Adjustment files for {} from 1960 to 2015.
Tokens prepared for LDA: ['building', 'permit', 'committee', 'adjustment']
Original Request: 2014 building permit information and inspector's notes for {} under permit # 14 1246 93 PIB, from Jan. 2014 to Dec. 31, 2014. Inspector was Ted Winiarz.
Tokens prepared for LDA: ['build', 'permit', 'information', 'inspector', 'permit', 'january', 'december', 'inspector', 'winiarz']
Original Request: Copy of investigation request form by ML&S for {}, Scarborough, from March 12, 2015.
Tokens prepared for LDA: ['investigation', 'request', 'scarborough', 'march']
Original Request: All available records for permits applied for and issued for renovations or modifications to {}.
Tokens prepared for LDA: ['available', 'record', 'permit', 'apply', 'issue', 'renovation', 'modification']
Original Request: Record of building and zoning approval documents for St. Saviour's Anglican Church located at 43 Kimberley Ave.
Tokens prepared for LDA: ['record', 'build', 'approval', 'document', 'saviour', 'anglican', 'church', 'locate', 'kimberley']
Original Request: A copy of report pertaining to mold and hazard investigation at {}, requested by resident {}.
Tokens prepared for LDA: ['report', 'pertain', 'hazard', 'investigation', 'request', 'resident']
Original Request: Copies of City records regarding work performed on backed up sewage lines at or near {}.
Tokens prepared for LDA: ['copy', 'record', 'regard', 'perform', 'sewage']
Original Request: Copies of building permit documents for {}: 04 192431 BLD 00 BA; 07 239681 FSU 00 FS; 03 156814 BLD 00 BA; 05 205018 BLD 00 BA. Record search from Jan. 1, 2003 to Dec. 31, 2007.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', '192431', '239681', '156814', '205018', 'record', 'search', 'january', 'december']
Original Request: Record of noise complaint log and other related documents regarding {}, submitted as evidence in the case of No.: 1829546 and 2109809.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'relate', 'document', 'regard', 'submit', 'evidence', '1829546', '2109809']
Original Request: A copy of survey (possibly on Committee of Adjustment file) for {}, Ref. # A1504-81. Record search 1980 to 1985.
Tokens prepared for LDA: ['survey', 'possibly', 'committee', 'adjustment', 'a1504', 'record', 'search']
Original Request: A copy of traffic surveillance footage capturing motor vehicle collision at Eglinton Ave. and Wynford Dr. on Apr. 20, 2015 between 6:29 A.M. and 6:49 A.M.
Tokens prepared for LDA: ['traffic', 'surveillance', 'footage', 'capture', 'motor', 'vehicle', 'collision', 'eglinton', 'wynford', 'april']
Original Request: A copy of report and investigation details pertaining to bike incident at 26 Serena Gundy Park, on route 26, at the entrance to the bridge, parking lot 3, on Sunday Aug. 17, 2014 at 12 A.M. Record search from Aug. 17, 2014 to present.
Tokens prepared for LDA: ['report', 'investigation', 'pertain', 'incident', 'serena', 'gundy', 'route', 'entrance', 'bridge', 'sunday', 'august', 'record', 'search', 'august', 'present']
Original Request: Record of any reports of violation to Toronto Municipal Code, Chapter 681 - Sewers: related to Milplex circuits at 70 Maybrook Dr.
Tokens prepared for LDA: ['record', 'report', 'violation', 'toronto', 'municipal', 'chapter', 'sewer', 'relate', 'milplex', 'circuit', 'maybrook']
Original Request: Record of EMS calls in the area of 1132 Leslie St., Serena Gundy/ Sunnybrook Park, Parking Lot 3. Records should indicate: 1) Dates of pick-ups 2) Times of pick-ups 3) Types and nature of incidents Record search from Aug. 1, 2009 to Apr. 21, 2015.
Tokens prepared for LDA: ['record', 'leslie', 'serena', 'gundy/', 'sunnybrook', 'parking', 'record', 'indicate', 'date', 'times', 'type', 'nature', 'incident', 'record', 'search', 'august', 'april']
Original Request: All CCTV camera footage from Edithvale Community Centre from April 24, 2015 between 9:30 A.M. and 12:00 P.M. on April 24, 2015.
Tokens prepared for LDA: ['camera', 'footage', 'edithvale', 'community', 'centre', 'april', '12:00', 'april']
Original Request: A copy of complaint record regarding no heating; ref. # 15100991, 14249409 & 15133682. Record search from Nov. 2014 to Apr. 2015.
Tokens prepared for LDA: ['complaint', 'record', 'regard', '15100991', '14249409', '15133682', 'record', 'search', 'november', 'april']
Original Request: Any and all information relating to the City's involvement with structural underpinning work effected at {.} which may have been overseen, reviewed, inspected and/or approved by the City. Record search Jan. 1, 2010 to Apr. 21, 2015.
Tokens prepared for LDA: ['information', 'relate', 'involvement', 'structural', 'underpin', 'effect', 'oversee', 'review', 'inspect', 'and/or', 'approve', 'record', 'search', 'january', 'april']
Original Request: Any and all details surrounding any complaints made against {}., pertaining to slip and falls due to negligent maintenance. Record search 2006 to present.
Tokens prepared for LDA: ['surround', 'complaint', 'pertain', 'negligent', 'maintenance', 'record', 'search', 'present']
Original Request: Any and all documents and any other information in relation to watermain rupture which resulted in a 30 foot sink hole along the west and north walls of 925 Bay Street. Reference no. 3264730 3265236 3266894 and 3273339.
Tokens prepared for LDA: ['document', 'information', 'relation', 'watermain', 'rupture', 'result', 'north', 'street', 'reference', '3264730', '3265236', '3266894', '3273339']
Original Request: All invoices, quotes, price comparisons, and sourcing documents related to the refurbishment of Mayor John Tory's office, specifically, but not limited to, new carpeting, new computers, new furniture and wall furnishing.
Tokens prepared for LDA: ['invoice', 'quote', 'price', 'comparison', 'source', 'document', 'relate', 'refurbishment', 'mayor', 'office', 'specifically', 'limit', 'carpet', 'computer', 'furniture', 'furnish']
Original Request: Record of the cellular phone number and address on closed permit signed to former contractor of {}. Record search Aug. 2013 to present.
Tokens prepared for LDA: ['record', 'cellular', 'phone', 'address', 'close', 'permit', 'contractor', 'record', 'search', 'august', 'present']
Original Request: A copy of overhead camera footage of a collision with on Bay St. and Adelaide St. on Monday, April 20, between 6:25 A.M. - 6:40 A.M. involving a pedestrian and a white taxi cab, Imperial Cab.
Tokens prepared for LDA: ['overhead', 'camera', 'footage', 'collision', 'adelaide', 'monday', 'april', 'involve', 'pedestrian', 'white', 'imperial']
Original Request: Record of all City authorized and paid business trips taken by Michael Major outside Toronto and Canada, including the reason and any reports of these trips. Record search from Jan. 2014 to Apr. 2015.
Tokens prepared for LDA: ['record', 'authorize', 'business', 'michael', 'major', 'outside', 'toronto', 'canada', 'include', 'reason', 'report', 'record', 'search', 'january', 'april']
Original Request: Record of police notes following response to an event at {} on Mar.13-16, 2015, from 3:30 A.M. to 6:00 A.M., involving {} and {}.
Tokens prepared for LDA: ['record', 'police', 'follow', 'response', 'event', 'mar.13', 'involve']
Original Request: Record of police notes following response to events at {} on Apr. 24, 215 from 11:30 P.M. to 1:30 A.M., involving {} and {}.
Tokens prepared for LDA: ['record', 'police', 'follow', 'response', 'event', 'april', '11:30', 'involve']
Original Request: Record of 311 noise complaints in 2014 by type and location (street or building as precise as allowed); specifically those relating to complaints about loud sex and frequency of complaints.
Tokens prepared for LDA: ['record', 'noise', 'complaint', 'location', 'street', 'build', 'precise', 'allow', 'specifically', 'relate', 'complaint', 'frequency', 'complaint']
Original Request: Any and all records relating to the water main break/leak which happened on or around March 27, 2015; starting around 495 Dupont St. and ending beside the gas station on the north side, before the intersection of Bathurst.
Tokens prepared for LDA: ['record', 'relate', 'water', 'break', 'happen', 'march', 'start', 'dupont', 'station', 'north', 'intersection', 'bathurst']
Original Request: A complete copy (reports, drawings, application forms etc.) of Committee of Adjustment file A0550/12 TEY pertaining to {}.
Tokens prepared for LDA: ['complete', 'report', 'drawing', 'application', 'committee', 'adjustment', 'a0550/12', 'pertain']
Original Request: All e-mails, internal reports, memos and prepared media responses re: Peter Prescott sent and received by senior managers, board members and executive (including, but not exclusive to Michael Tziretas, Michael Ford, Ian Maher, Remy Iamonado, Andrew Korope).
Tokens prepared for LDA: ['internal', 'report', 'prepare', 'medium', 'response', 'peter', 'prescott', 'receive', 'senior', 'manager', 'board', 'member', 'executive', 'include', 'exclusive', 'michael', 'tziretas', 'michael', 'maher', 'iamonado', 'andrew', 'korope']
Original Request: Complete Committee of Adjustment file no. A0630/08 TEY.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'a0630/08']
Original Request: A copy of complaint file ref. # B50880.
Tokens prepared for LDA: ['complaint', 'b50880']
Original Request: A copy of report for {} for inspection conducted in Jan. 2015, ref. # 3124136.
Tokens prepared for LDA: ['report', 'inspection', 'conduct', 'january', '3124136']
Original Request: Documentation indicating the date for rule changes to parking due to LRT construction on Burnaby between Heddington - Castle Knock - Avenue Rd. Reference to ticket issued by Officer Y. Hassan, on Jan. 30, 2015, 11:30 A.M. - 1:00 P.M.
Tokens prepared for LDA: ['documentation', 'indicate', 'change', 'construction', 'burnaby', 'heddington', 'castle', 'knock', 'avenue', 'reference', 'ticket', 'issue', 'officer', 'hassan', 'january', '11:30']
Original Request: Documentation indicating the date for rule changes to parking due to LRT construction on Burnaby between Heddington - Castle Knock - Avenue Rd. Reference to ticket issued by Officer Y. Hassan, on Jan. 30, 2015, 11:30 A.M. - 1:00 P.M.
Tokens prepared for LDA: ['documentation', 'indicate', 'change', 'construction', 'burnaby', 'heddington', 'castle', 'knock', 'avenue', 'reference', 'ticket', 'issue', 'officer', 'hassan', 'january', '11:30']
Original Request: All correspondence, reports, letters and building plans in connection with any building applications for {}, (Etobicoke) from 1950 to present.
Tokens prepared for LDA: ['correspondence', 'report', 'letter', 'build', 'connection', 'build', 'application', 'etobicoke', 'present']
Original Request: Inspection notes and all other notes, documents, records, photos, surveys and any other reports regarding {}
Tokens prepared for LDA: ['inspection', 'document', 'record', 'photo', 'survey', 'report', 'regard']
Original Request: All ML&S and Toronto Public Health records, work orders etc. on {} from 2000 to 2015.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'record', 'order']
Original Request: All e-mails sent between the Mayor's Special Assistant Bryan Frois and {email addresses removed} from April 1 to April 29, 2015 where Mayor John Tory's schedule, activities, speeches, and press releases are mentioned or discussed.
Tokens prepared for LDA: ['mayor', 'special', 'assistant', 'bryan', 'frois', 'email', 'address', 'remove', 'april', 'april', 'mayor', 'schedule', 'activity', 'speech', 'press', 'release', 'mention', 'discus']
Original Request: A copy of application permit no. 2015 103 731 BLD 00SR for administrative building at {}. Also copy of application for permit # 2014- 246285 BLD 00SR.
Tokens prepared for LDA: ['application', 'permit', 'administrative', 'build', 'application', 'permit', '2014-', '246285']
Original Request: Inspection reports, agreements, documentation, or similar material pertaining to the fire protection and life safety systems installed in the building (Alderwood Collegiate Institute) previously located at 300 Valermo Drive.
Tokens prepared for LDA: ['inspection', 'report', 'agreement', 'documentation', 'similar', 'material', 'pertain', 'protection', 'safety', 'install', 'build', 'alderwood', 'collegiate', 'institute', 'previously', 'locate', 'valermo', 'drive']
Original Request: A copy of investigation report following dog attack incident on Feb. 9 2015 at Dufferin Grove Park sometime around 9:45 A.M., involving dogs, owned by {} and {}.
Tokens prepared for LDA: ['investigation', 'report', 'follow', 'attack', 'incident', 'february', 'dufferin', 'grove', 'involve']
Original Request: In Ms. Word, Excel, or hard copy a list of contracts awarded to Black and MacDonald Contractors by EDC from Jan. 2004 to Dec. 31, 2014, in tabular form under the following headings: Year, Contract (s) Names or # of each, Amount Quoted & Cost etc.
Tokens prepared for LDA: ['excel', 'contract', 'award', 'black', 'macdonald', 'contractor', 'january', 'december', 'tabular', 'follow', 'heading', 'contract', 'names', 'quote']
Original Request: In Ms. Word, Excel, or hard copy a list of contracts awarded to Black and MacDonald Contractors by EDC from Jan. 2004 to Dec. 31, 2014, in tabular form under the following headings: Year, Contract (s) Names or # of each, Amount Quoted & Cost etc.
Tokens prepared for LDA: ['excel', 'contract', 'award', 'black', 'macdonald', 'contractor', 'january', 'december', 'tabular', 'follow', 'heading', 'contract', 'names', 'quote']
Original Request: A copy of complaint record pertaining to illegal basement construction at {.}, permit # 2002-11677500000 BR and all other records regarding construction on this property. Record search 2002.
Tokens prepared for LDA: ['complaint', 'record', 'pertain', 'illegal', 'basement', 'construction', 'permit', '11677500000', 'record', 'regard', 'construction', 'property', 'record', 'search']
Original Request: Record, documents and pictures taken by building inspectors during the construction of semi-detached dwellings at {} from Jan. 1, 2010 to Apr. 30, 2015.
Tokens prepared for LDA: ['record', 'document', 'picture', 'build', 'inspector', 'construction', 'detach', 'dwelling', 'january', 'april']
Original Request: A copy of permit and related documents for addition to property at {} in 1973.
Tokens prepared for LDA: ['permit', 'relate', 'document', 'addition', 'property']
Original Request: A copy of video surveillance footage from Scarborough Civic Centre capturing an Asian female making payment at the revenue services counter sometime around 3:15 P.M. on April 23, 2015.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'scarborough', 'civic', 'centre', 'capture', 'asian', 'female', 'payment', 'revenue', 'service', 'counter', 'april']
Original Request: Record of maintenance logs for lights at Sunnybrook - Serena Gundy Park, 1132 Leslie St., namely: 1. inspection schedule of lights in parking lot 3 2. maintenance schedule of lights in parking lot 3 3. replacement documentation of malfunctioning light.
Tokens prepared for LDA: ['record', 'maintenance', 'light', 'sunnybrook', 'serena', 'gundy', 'leslie', 'inspection', 'schedule', 'light', 'maintenance', 'schedule', 'light', 'replacement', 'documentation', 'malfunction', 'light']
Original Request: A copy of the site plan with floor area of plan for 41 Lebovic Ave. (now 69, 41, 51 & 55 Lebovic Ave.) showing all buildings: A, B, C & D and as built drawings. Record search from 2011 to 2015.
Tokens prepared for LDA: ['floor', 'lebovic', 'lebovic', 'building', 'build', 'drawing', 'record', 'search']
Original Request: Copies of all building permits and documents for {} related to permits: 1946-90516; 1947-95007; 1949-3378; 1953-21898; 1967-93321.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'relate', 'permit', '90516', '95007', '21898', '93321']
Original Request: Copies of all building permits and documents for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document']
Original Request: Copies of all building permits and documents for {} related to permits: 1974-048323; 1956-39897; 1987-249252; 1986-24053.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'document', 'relate', 'permit', '048323', '39897', '249252', '24053']
Original Request: A copy of video surveillance capturing altercation between two workers near the VIA Arrivals area at Union Station on April 14, 2015, at approximately 9 A.M.
Tokens prepared for LDA: ['video', 'surveillance', 'capture', 'altercation', 'worker', 'arrival', 'union', 'station', 'april', 'approximately']
Original Request: Record of all inspector's notes, permit applications and correspondence regarding basement excavation at {}; specifically those related to permit # 12 27 1115.
Tokens prepared for LDA: ['record', 'inspector', 'permit', 'application', 'correspondence', 'regard', 'basement', 'excavation', 'specifically', 'relate', 'permit']
Original Request: Copies of records pertaining to {}: all building permit applications, drawings, building inspection notes, liquor license applications, general review commitment certificate and general review compliance letters.
Tokens prepared for LDA: ['copy', 'record', 'pertain', 'build', 'permit', 'application', 'drawing', 'build', 'inspection', 'liquor', 'license', 'application', 'general', 'review', 'commitment', 'certificate', 'general', 'review', 'compliance', 'letter']
Original Request: A copy of video surveillance footage (multi-angle) from the Victoria Village Arena located at 190 Bermondsy Rd., on Thursday, May 7, 2015 from 6:15 p.m. to 7:45 p.m. Specifically, footage from cameras capturing a 2007 white Toyota Camry.
Tokens prepared for LDA: ['video', 'surveillance', 'footage', 'multi', 'angle', 'victoria', 'village', 'arena', 'locate', 'bermondsy', 'thursday', 'specifically', 'footage', 'camera', 'capture', 'white', 'toyota', 'camry']
Original Request: Copies of all written correspondence (excluding e-mails), reports, briefing notes and memoranda addressed to or from the Office of the Mayor or Mayor Tory which makes mention of: (a)'HSC'; of (b)'Housing Services Corporation'
Tokens prepared for LDA: ['copy', 'write', 'correspondence', 'exclude', 'report', 'brief', 'memorandum', 'address', 'office', 'mayor', 'mayor', 'mention', "a)'hsc", "b)'housing", 'services', 'corporation']
Original Request: Documentation of when the roadway on Windermere Ave. was scheduled to be salted or sanded in the month of January 2013.
Tokens prepared for LDA: ['documentation', 'roadway', 'windermere', 'schedule', 'month', 'january']
Original Request: A copy of records showing road and infrastructural work scheduled for Lakeshore Blvd. from April 1, 2015 to May 30, 2015.
Tokens prepared for LDA: ['record', 'infrastructural', 'schedule', 'lakeshore', 'april']
Original Request: Dog bite report for the incident that occurred at {} on the morning of April 23,2015.
Tokens prepared for LDA: ['report', 'incident', 'occur', 'morning', 'april', '23,2015']
Original Request: Copies of inspection notes and reports, violations, and anything else associated with the new build construction at {}, from Jan. 1, 2009 to May 1, 2015. Do not require plans.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'violation', 'associate', 'build', 'construction', 'january', 'require']
Original Request: Record of e-mails and all written communication between Dr. Esther Attard, Craig Hewitt, Elizabeth Glibbery and Kim Smithers regarding dog bite sustained by {}. Record search Aug. 27, 2012 to Dec. 1, 2012.
Tokens prepared for LDA: ['record', 'write', 'communication', 'esther', 'attard', 'craig', 'hewitt', 'elizabeth', 'glibbery', 'smithers', 'regard', 'sustain', 'record', 'search', 'august', 'december']
Original Request: Record of e-mails and all written communication regarding the purchase of mobile pet spay and neuter bus/clinic between Councillor Glenn De Baeremaeker, Dr. Esther Attard and Elizabeth Glibbery. Record search Jan. 2011 to Sep. 30, 2014.
Tokens prepared for LDA: ['record', 'write', 'communication', 'regard', 'purchase', 'mobile', 'neuter', 'clinic', 'councillor', 'glenn', 'baeremaeker', 'esther', 'attard', 'elizabeth', 'glibbery', 'record', 'search', 'january', 'september']
Original Request: A copy of building permits and inspections for {} from Jun. 2010 to Oct. 2011.
Tokens prepared for LDA: ['build', 'permit', 'inspection', 'october']
Original Request: Complete copies of files held by the City for {} from the following: Toronto Fire (Jan. 2003 to May 2015), ML&S (2003 to 2015) and Toronto Building/Electrical Safety Authority (Jan. 2003 to May 2015).
Tokens prepared for LDA: ['complete', 'follow', 'toronto', 'january', 'toronto', 'building', 'electrical', 'safety', 'authority', 'january']
Original Request: All permits issued from 1915 to present, including subscription permit data including Gross Floor Area (GFA) of all groups and building types.
Tokens prepared for LDA: ['permit', 'issue', 'present', 'include', 'subscription', 'permit', 'datum', 'include', 'gross', 'floor', 'group', 'build']
Original Request: All communications and documents related to a redesign or removal of the cycle tracks on Welle.sley Street West from Bay Street to Young Street, including but not limited to e-mails, technical drawings, letters, records of telephone conversations, meeting minutes, public consultations and budget documents, between and among Transportation Services, the Toronto Transit Commission (especially Wheel-Trans) Emergency Services, Kristyn Wong-Tam's office, the Mayor's Office and staff, and outside consultants for the City. Record search from Jan. 1, 2015 to May 5, 2015.
Tokens prepared for LDA: ['communication', 'document', 'relate', 'redesign', 'removal', 'cycle', 'track', 'welle.sley', 'street', 'street', 'young', 'street', 'include', 'limit', 'technical', 'drawing', 'letter', 'record', 'telephone', 'conversation', 'minute', 'public', 'consultation', 'budget', 'document', 'transportation', 'services', 'toronto', 'transit', 'commission', 'especially', 'wheel', 'trans', 'emergency', 'services', 'kristyn', 'office', 'mayor', 'office', 'staff', 'outside', 'consultant', 'record', 'search', 'january']
Original Request: All communications and documents related to a redesign or removal of the cycle tracks on Wellesley Street West from Bay Street to Young Street, including but not limited to e-mails, technical drawings, letters, records of telephone conversations, meeting minutes, public consultations and budget documents, between and among Transportation Services, the Toronto Transit Commission (especially Wheel-Trans) Emergency Services, Kristyn Wong-Tam's office, the Mayor's Office and staff, and outside consultants for the City. Record search from Jan. 1, 2015 to May 5, 2015.
Tokens prepared for LDA: ['communication', 'document', 'relate', 'redesign', 'removal', 'cycle', 'track', 'wellesley', 'street', 'street', 'young', 'street', 'include', 'limit', 'technical', 'drawing', 'letter', 'record', 'telephone', 'conversation', 'minute', 'public', 'consultation', 'budget', 'document', 'transportation', 'services', 'toronto', 'transit', 'commission', 'especially', 'wheel', 'trans', 'emergency', 'services', 'kristyn', 'office', 'mayor', 'office', 'staff', 'outside', 'consultant', 'record', 'search', 'january']
Original Request: Copies of all submitted plans for building permit application 14266853 for {}., including files associated with the minor variance application or applications for this address.
Tokens prepared for LDA: ['copy', 'submit', 'build', 'permit', 'application', '14266853', 'include', 'associate', 'minor', 'variance', 'application', 'application', 'address']
Original Request: Copies of job descriptions for all current Toronto Parks Bylaw-Enforcement Officers (on the basis that there may be different job descriptions for different officers); in such a case, the job description for each officer is requested.
Tokens prepared for LDA: ['copy', 'description', 'current', 'toronto', 'parks', 'bylaw', 'enforcement', 'officer', 'basis', 'different', 'description', 'different', 'officer', 'description', 'officer', 'request']
Original Request: The name of the applicant and individual who picked up permits for the underpinning & interior drains for {} including the amounts paid and a copy of the drawings for the interior drains. Record search from 2005 to 2006.
Tokens prepared for LDA: ['applicant', 'individual', 'permit', 'underpin', 'interior', 'drain', 'include', 'drawing', 'interior', 'drain', 'record', 'search']
Original Request: A copy of inspection reports for {}, regarding basement underpinning and wall walk out): lot 18, registered plan no. 4036. Record search 2011 to 2015.
Tokens prepared for LDA: ['inspection', 'report', 'regard', 'basement', 'underpin', 'register', 'record', 'search']
Original Request: Copies of files no. 88983 and 87557 regarding {} from 1965 to 1966.
Tokens prepared for LDA: ['copy', '88983', '87557', 'regard']
Original Request: Record of residential use history for property at {}, from the date of construction to present.
Tokens prepared for LDA: ['record', 'residential', 'history', 'property', 'construction', 'present']
Original Request: Record of any notices of violations or outstanding orders or directives against {} regarding grass cutting and weeds.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'regard', 'grass']
Original Request: Record of any notices of violations or outstanding orders or directives against {} regarding grass cutting and weeds.
Tokens prepared for LDA: ['record', 'notice', 'violation', 'outstanding', 'order', 'directive', 'regard', 'grass']
Original Request: All records related to TSCC 1786 and/or 2737 Keele St., legal description: CON 3 PT lot 10 RP 66R 22494, roll No.: 1908 03149 000 201 0000 including anything related to file No. 10-11500 ZON and 10-15-2876 PRS 00 IV. Record search Jul. 22, 2006 to present
Tokens prepared for LDA: ['record', 'relate', 'and/or', 'keele', 'legal', 'description', '22494', '03149', 'include', 'relate', '11500', 'record', 'search', 'present']
Original Request: Record of all building permit history for Highland Memory Garden Cemetery at 33 Memory Garden Lane from 1950 to present.
Tokens prepared for LDA: ['record', 'build', 'permit', 'history', 'highland', 'memory', 'garden', 'cemetery', 'memory', 'garden', 'present']
Original Request: Record of all work orders (open and closed), repairs details, inspections reports and permit applications generated by the City including those of the contractor at {}, pertaining to water/water main issues. All complaints of flooding etc.
Tokens prepared for LDA: ['record', 'order', 'close', 'repair', 'inspection', 'report', 'permit', 'application', 'generate', 'include', 'contractor', 'pertain', 'water', 'water', 'issue', 'complaint', 'flood']
Original Request: All records related to Toronto Animal Services By-Law Contravention Notice A15-010456, issued to {}.
Tokens prepared for LDA: ['record', 'relate', 'toronto', 'animal', 'services', 'contravention', 'notice', '010456', 'issue']
Original Request: Record of the occupancy date granted to {} or the final inspection for the closure of the permit.
Tokens prepared for LDA: ['record', 'occupancy', 'grant', 'final', 'inspection', 'closure', 'permit']
Original Request: A copy of order issued (09-123347 UNS 00 VI) by Toronto Building to {} pertaining to grow-op. Record search from Jan. 2009 to Dec. 2009.
Tokens prepared for LDA: ['order', 'issue', '123347', 'toronto', 'building', 'pertain', 'record', 'search', 'january', 'december']
Original Request: Report of a heat complaint, investigation and findings for {}, Toronto, from Feb. 12, 2015 to April 30, 2015.
Tokens prepared for LDA: ['report', 'complaint', 'investigation', 'finding', 'toronto', 'february', 'april']
Original Request: A complete copy of Toronto Building file for {} including to issued orders to comply in relation to {}. A complete copy of Toronto Building file for {} including orders to comply issued in 1992, 1996 and 201
Tokens prepared for LDA: ['complete', 'toronto', 'building', 'include', 'issue', 'order', 'comply', 'relation', 'complete', 'toronto', 'building', 'include', 'order', 'comply', 'issue']
Original Request: Sewer maintenance including replacement, flushing's, inspections and rehabilitation for {} including scheduled or proposed sewer flushing's replacement and rehabilitation and all incidents records etc.
Tokens prepared for LDA: ['sewer', 'maintenance', 'include', 'replacement', 'flush', 'inspection', 'rehabilitation', 'include', 'schedule', 'propose', 'sewer', 'flush', 'replacement', 'rehabilitation', 'incident', 'record']
Original Request: Record of water leak maintenance, and curb box installation records pertaining to and/or near the vicinity of {}.
Tokens prepared for LDA: ['record', 'water', 'maintenance', 'installation', 'record', 'pertain', 'and/or', 'vicinity']
Original Request: All records of City work orders for {.} including appeals made by {}, ref. folder no. 1417979 PRS 00 IV. Record search Jan. 2013 to Dec. 2014.
Tokens prepared for LDA: ['record', 'order', 'include', 'appeal', 'folder', '1417979', 'record', 'search', 'january', 'december']
Original Request: A copy of completed work orders for storm (1005681) and sanitary sewers (1003669) at {}.
Tokens prepared for LDA: ['complete', 'order', 'storm', '1005681', 'sanitary', 'sewer', '1003669']
Original Request: A copy of completed work orders for storm (1005681) and sanitary sewers (1003669) at {}.
Tokens prepared for LDA: ['complete', 'order', 'storm', '1005681', 'sanitary', 'sewer', '1003669']
Original Request: All noise complaints sent to the City between Jan. 1, 2015 to May 12, 2015 related to sexual activity.
Tokens prepared for LDA: ['noise', 'complaint', 'january', 'relate', 'sexual', 'activity']
Original Request: All records related to sewer back-up from street level to the front window of basement apartment at {} including correspondence between Toronto Water staff and the property owner over the last 6 months.
Tokens prepared for LDA: ['record', 'relate', 'sewer', 'street', 'level', 'window', 'basement', 'apartment', 'include', 'correspondence', 'toronto', 'water', 'staff', 'property', 'owner', 'month']
Original Request: Record showing the source of submission for revised version of grading plan MB-8796 at Committee Meeting on Mar. 25, 2015, the date of that submission and when said copy was shared with {} and/or her lawyer.
Tokens prepared for LDA: ['record', 'source', 'submission', 'revise', 'version', 'grade', 'mb-8796', 'committee', 'meeting', 'march', 'submission', 'share', 'and/or', 'lawyer']
Original Request: Records of complaints made to the following City divisions regarding {}: Toronto Fire, Toronto Building, Parks Forestry and Recreation, Toronto Public Health and any other forms of complaint. Record search from 2000 to present.
Tokens prepared for LDA: ['record', 'complaint', 'follow', 'division', 'regard', 'toronto', 'toronto', 'building', 'parks', 'forestry', 'recreation', 'toronto', 'public', 'health', 'complaint', 'record', 'search', 'present']
Original Request: A complete copy of building file for {} from 1978 to present.
Tokens prepared for LDA: ['complete', 'build', 'present']
Original Request: A complete copy of building file for {} from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'possible', 'present']
Original Request: A complete copy of building file for {}, including by-law enforcement records, reports, orders to comply etc. from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'enforcement', 'record', 'report', 'order', 'comply', 'possible', 'present']
Original Request: Copies of the Don Valley Brick Works Centre Draft Development Plan March 2004: Series 1830, File 248; Don Valley Brick Works reports 1995-1996: Series 1830, File 249.
Tokens prepared for LDA: ['copy', 'valley', 'brick', 'works', 'centre', 'draft', 'development', 'march', 'series', 'valley', 'brick', 'works', 'report', 'series']
Original Request: A complete copy of ML&S report with photos, no. 15-119660 PRS 00 1V/RT887 94A 384 CA, pertaining to incident at or near {}., on Jan. 30, 2015 involving {}.
Tokens prepared for LDA: ['complete', 'report', 'photo', '119660', 'rt887', 'pertain', 'incident', 'january', 'involve']
Original Request: Record of the notes, e-mails, written/paper notices of quarantine order given to {} after dog bite on Aug. 26, 2012 involving {}. A copy of the Public Health and TAS files, any and all communications between PH, TAS.
Tokens prepared for LDA: ['record', 'write', 'paper', 'notice', 'quarantine', 'order', 'august', 'involve', 'public', 'health', 'communication']
Original Request: Any document and e-mail correspondence between the City and Architects {names removed} related to the project - {}. Also known as {}.
Tokens prepared for LDA: ['document', 'correspondence', 'architect', 'remove', 'relate', 'project']
Original Request: Copies of any and all documents held by the City, power and control relating to {}, Toronto, Ontario, including those pertaining to complaints concerning water issues, storm water, waste water, water table inspection reports etc.
Tokens prepared for LDA: ['copy', 'document', 'power', 'control', 'relate', 'toronto', 'ontario', 'include', 'pertain', 'complaint', 'concern', 'water', 'issue', 'storm', 'water', 'waste', 'water', 'water', 'table', 'inspection', 'report']
Original Request: All incident reports relating to the water main/pipe/service line failure at or near {} on or about April 4, 2015. All communications (internal & external) relating to the water main/pipe/service line failure etc.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'water', 'service', 'failure', 'april', 'communication', 'internal', 'external', 'relate', 'water', 'service', 'failure']
Original Request: All building and zoning information for {} including all plans, drawings, building permits, and violations, Committee of Adjustments applications and all documentation or information pertaining to permits used on the property.
Tokens prepared for LDA: ['build', 'information', 'include', 'drawing', 'build', 'permit', 'violation', 'committee', 'adjustment', 'application', 'documentation', 'information', 'pertain', 'permit', 'property']
Original Request: Record from IBMS database or other showing or indicating the actual date of receipt of letter from Unity Electric Motors Inc. dated Feb. 4, 2014; stating the mount of ventilation in apartment {} or an actual copy of said letter.
Tokens prepared for LDA: ['record', 'database', 'indicate', 'actual', 'receipt', 'letter', 'unity', 'electric', 'motor', 'february', 'state', 'mount', 'ventilation', 'apartment', 'actual', 'letter']
Original Request: A copy of the general records information disclosed from a previous FOI request (Request Number AG-2015-00352): "All death records, including but not limited to necropsy reports for animals that have died at Toronto Zoo since January 2000."
Tokens prepared for LDA: ['general', 'record', 'information', 'disclose', 'previous', 'request', 'request', 'number', 'ag-2015', '00352', 'death', 'record', 'include', 'limit', 'necropsy', 'report', 'animal', 'toronto', 'january']
Original Request: A complete copy of Toronto Water report regarding the cause and findings of basement flood (sewer backup) at {.}. Including any detailed notes or reports, describing the blockage item being a "greasy garbage bag" and those of City worker's impression of where it came from i.e. from the residential line or the main line. Records identifying the dates and times of all visits by the Water Department. Record search from Apr. 9, 2015 to Ap. 11, 2015.
Tokens prepared for LDA: ['complete', 'toronto', 'water', 'report', 'regard', 'cause', 'finding', 'basement', 'flood', 'sewer', 'backup', 'include', 'report', 'blockage', 'greasy', 'garbage', 'worker', 'impression', 'residential', 'record', 'identify', 'visit', 'water', 'department', 'record', 'search', 'april']
Original Request: Animal Control Report from Animal Care and Control Officer Paul. 311 report # (326-0231), filed by {} of {}. Period from April 1 to April 15, 2015.
Tokens prepared for LDA: ['animal', 'control', 'report', 'animal', 'control', 'officer', 'report', 'period', 'april', 'april']
Original Request: Building permit files B-241-78; B-227-73 for the address at {} which related to the properties' legal multi-unit rental status and other information.
Tokens prepared for LDA: ['building', 'permit', 'b-241', 'b-227', 'address', 'relate', 'property', 'legal', 'multi', 'rental', 'status', 'information']
Original Request: Permits and violation reports, open and closed permits, description, legal units for permit # 87-019563 BLD.
Tokens prepared for LDA: ['permit', 'violation', 'report', 'close', 'permit', 'description', 'legal', 'permit', '019563']
Original Request: What kind of buildings and what kind of business were on the properties located at 2066 and 2068 Kipling Ave., in Etobicoke, from Jan. 1, 1950 to May 20, 2015.
Tokens prepared for LDA: ['building', 'business', 'property', 'locate', 'kipling', 'etobicoke', 'january']
Original Request: Maintenance standards, including custodial services, number of FTEs approved for cleaning services (both heavy duty and light duty) and Cleaning Services schedules for City Hall; Old City Hall; Metro Hall; St. Lawrence Market; 703 Don Mills etc.
Tokens prepared for LDA: ['maintenance', 'standard', 'include', 'custodial', 'service', 'approve', 'clean', 'service', 'heavy', 'light', 'cleaning', 'services', 'schedule', 'metro', 'lawrence', 'market', 'mills']
Original Request: A complete copy of Property Standards and Fire Services investigation files pertaining to {} on or about Apr. 20, 2015; including violation records, actions taken and the current status of open investigations.
Tokens prepared for LDA: ['complete', 'property', 'standard', 'services', 'investigation', 'pertain', 'april', 'include', 'violation', 'record', 'action', 'current', 'status', 'investigation']
Original Request: All legal documentation confirming the existing use of the property at {} including zoning notices and building permit files.
Tokens prepared for LDA: ['legal', 'documentation', 'confirm', 'exist', 'property', 'include', 'notice', 'build', 'permit']
Original Request: A copy of building inspection report No. 13-245951, regarding {}. Record search Jan. 1, 2013 to Jan. 31, 2013.
Tokens prepared for LDA: ['build', 'inspection', 'report', '245951', 'regard', 'record', 'search', 'january', 'january']
Original Request: Record of tenant complaint file pertaining to {} including notes taken and inspector's notes from Apr. 1, 2014 to May 1, 2015. Inspector Nicole Sweetapple.
Tokens prepared for LDA: ['record', 'tenant', 'complaint', 'pertain', 'include', 'inspector', 'april', 'inspector', 'nicole', 'sweetapple']
Original Request: All building permit records for {} from 1960 to 1995.
Tokens prepared for LDA: ['build', 'permit', 'record']
Original Request: All building permit records for {} from 1960 to 1995.
Tokens prepared for LDA: ['build', 'permit', 'record']
Original Request: Copies of renovation permits issued to {} for bathroom renovations. Record search from 1995 to present.
Tokens prepared for LDA: ['copy', 'renovation', 'permit', 'issue', 'bathroom', 'renovation', 'record', 'search', 'present']
Original Request: Copies of all building permits issued for {}.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue']
Original Request: Copies of inspection reports and work orders pertaining to {} for the year 2015.
Tokens prepared for LDA: ['copy', 'inspection', 'report', 'order', 'pertain']
Original Request: All records of building permits issued, complaints made against {} and any orders from 1990 to 2015.
Tokens prepared for LDA: ['record', 'build', 'permit', 'issue', 'complaint', 'order']
Original Request: A complete copy of building files including field review commitments and inspection reports for {} from Jan. 1, 2008 to Dec. 31, 2014.
Tokens prepared for LDA: ['complete', 'build', 'include', 'field', 'review', 'commitment', 'inspection', 'report', 'january', 'december']
Original Request: Record of the number of 311 complaints made by {} of {} against {} since 1997 to present.
Tokens prepared for LDA: ['record', 'complaint', 'present']
Original Request: Record identifying the insurance company and policy number for {}, Amb Taxi No. 1042, following incident motor vehicle accident involving the Taxicab Driver and a cyclist. On Mar. 29, 2015.
Tokens prepared for LDA: ['record', 'identify', 'insurance', 'company', 'policy', 'follow', 'incident', 'motor', 'vehicle', 'accident', 'involve', 'taxicab', 'driver', 'cyclist', 'march']
Original Request: All information pertaining to Lakeshore Blvd., (from Rees St to 100m west of Rees St.) water main including the date of installation, details of and location for previous burst/failures, maintenance records, inspection notes, construction drawings etc.
Tokens prepared for LDA: ['information', 'pertain', 'lakeshore', 'water', 'include', 'installation', 'location', 'previous', 'burst', 'failure', 'maintenance', 'record', 'inspection', 'construction', 'drawing']
Original Request: Any and all records, plans, notes, communications and drawings related to {}, including those pertaining to its design and construction. Any and all notes or communications from or to any City of Toronto building inspectors etc.
Tokens prepared for LDA: ['record', 'communication', 'drawing', 'relate', 'include', 'pertain', 'design', 'construction', 'communication', 'toronto', 'build', 'inspector']
Original Request: Any and all records, plans, notes, communications and drawings related to {}, including those pertaining to its design and construction. Any and all notes or communications from or to any City of Toronto building inspectors etc.
Tokens prepared for LDA: ['record', 'communication', 'drawing', 'relate', 'include', 'pertain', 'design', 'construction', 'communication', 'toronto', 'build', 'inspector']
Original Request: A copy of right of way permit issued in May 2015 in relation to construction site at {}.
Tokens prepared for LDA: ['right', 'permit', 'issue', 'relation', 'construction']
Original Request: A copy of tree preservation plan, arborist report and site plan for {}.
Tokens prepared for LDA: ['preservation', 'arborist', 'report']
Original Request: A copy of fire inspection report pertaining to firewalls within the residence of {}. Record search from Feb. 2015 to Apr. 2015.
Tokens prepared for LDA: ['inspection', 'report', 'pertain', 'firewall', 'residence', 'record', 'search', 'february', 'april']
Original Request: RESCU Traffic camera footage or stills at intersection of Blackcreek Dr. and Lawrence Ave. on Apr. 5, 2015 between 7:30 p.m. and 8:30 p.m., capturing motor vehicle accident involving a blue Honda Accord; heading north on Black Creek.
Tokens prepared for LDA: ['rescu', 'traffic', 'camera', 'footage', 'intersection', 'blackcreek', 'lawrence', 'april', 'capture', 'motor', 'vehicle', 'accident', 'involve', 'honda', 'accord', 'north', 'black', 'creek']
Original Request: All information that was submitted to Toronto Water by {} of {}, for the Toronto City Rebate for installation of a back water valve. Including a copy of the Basement Flooding Protection Subsidy Application Form etc.
Tokens prepared for LDA: ['information', 'submit', 'toronto', 'water', 'toronto', 'rebate', 'installation', 'water', 'valve', 'include', 'basement', 'flooding', 'protection', 'subsidy', 'application']
Original Request: A list of all Requests for Quotes (RFQ) and/or Change Directives (CD) issued to EllisDon Civil Ltd., for the TTC York University Station with sufficient description and details to identify the work in question for each.
Tokens prepared for LDA: ['request', 'quote', 'and/or', 'change', 'directive', 'issue', 'ellisdon', 'civil', 'university', 'station', 'sufficient', 'description', 'identify', 'question']
Original Request: All records of {} of {} held at the Taxicab licencing office.
Tokens prepared for LDA: ['record', 'taxicab', 'licence', 'office']
Original Request: Copies of all building inspection notes and reports for all phases of construction in respect to permit # 13 205331 BLD NH. Record search Oct. 2013 to Apr. 2015. Address is {}
Tokens prepared for LDA: ['copy', 'build', 'inspection', 'report', 'phasis', 'construction', 'respect', 'permit', '205331', 'record', 'search', 'october', 'april', 'address']
Original Request: Copies of work orders issued by TPH and ML&S to landlord at {} for the remediation of damages caused by basement flooding. Record search Oct. 1, 2014 to Mar. 31, 2015.
Tokens prepared for LDA: ['copy', 'order', 'issue', 'landlord', 'remediation', 'damage', 'cause', 'basement', 'flood', 'record', 'search', 'october', 'march']
Original Request: A complete copy of fire inspection file pertaining to {} from 2011 to 2015.
Tokens prepared for LDA: ['complete', 'inspection', 'pertain']
Original Request: A copy of building inspectors notes for {.} Jan. 1, 2003 to Jan. 1, 2006.
Tokens prepared for LDA: ['build', 'inspector', 'january', 'january']
Original Request: A copy of ML&S inspection reports for {}, investigated by Robert Carville. Record search from May 1, 2015 to May 15, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'investigate', 'robert', 'carville', 'record', 'search']
Original Request: A copy of complaint related inspection report (331-21-17) for rental/boarding property at {} indicating the by-law # referenced in the report and inspector's full name.
Tokens prepared for LDA: ['complaint', 'relate', 'inspection', 'report', 'rental', 'board', 'property', 'indicate', 'reference', 'report', 'inspector']
Original Request: Copies of building permits issued to {} and sewer discharge inspection information related to water assessment for possible sewage leak beyond water barrier. Record search Jan. 1, 1990 to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'sewer', 'discharge', 'inspection', 'information', 'relate', 'water', 'assessment', 'possible', 'sewage', 'water', 'barrier', 'record', 'search', 'january', 'present']
Original Request: A complete copy of ML&S investigative file related to charge added to property tax account for {} on May 14, 2015; MLS-20150514-140128; Invoice # 6838. Inspector Kim Kilburn.
Tokens prepared for LDA: ['complete', 'investigative', 'relate', 'charge', 'property', 'account', 'mls-20150514', '140128', 'invoice', 'inspector', 'kilburn']
Original Request: A complete copy of ML&S investigative file related to charge added to property tax account for {} on May 14, 2015; MLS-20150514-140128; Invoice # 6838. Inspector Kim Kilburn.
Tokens prepared for LDA: ['complete', 'investigative', 'relate', 'charge', 'property', 'account', 'mls-20150514', '140128', 'invoice', 'inspector', 'kilburn']
Original Request: Copies of final building inspection notes for {} from Jan. 1, 2005 to Oct. 1, 2009.
Tokens prepared for LDA: ['copy', 'final', 'build', 'inspection', 'january', 'october']
Original Request: All records pertaining to building inspection for {} permit # 14 165 772, including e-mails and phone conversations from June 1, 2014 to present.
Tokens prepared for LDA: ['record', 'pertain', 'build', 'inspection', 'permit', 'include', 'phone', 'conversation', 'present']
Original Request: Record of any business licenses registered to {} over the last 5 years.
Tokens prepared for LDA: ['record', 'business', 'license', 'register']
Original Request: Record of all Building and MLS: permits, inspection related documents, reports and licenses pertaining to {}, from as far back as possible to present.
Tokens prepared for LDA: ['record', 'building', 'permit', 'inspection', 'relate', 'document', 'report', 'license', 'pertain', 'possible', 'present']
Original Request: All documents including but not limited to e-mails, other correspondence, internal memos, or briefing notes about sex work/prostitution, human trafficking and the 2015 PAN AM Games in Toronto, especially related to the Toronto Police.
Tokens prepared for LDA: ['document', 'include', 'limit', 'correspondence', 'internal', 'brief', 'prostitution', 'human', 'traffic', 'game', 'toronto', 'especially', 'relate', 'toronto', 'police']
Original Request: A copy of permit application for the construction of secondary basement apartment at {} Plan 4283 PT BLK A. Record search Oct. 1, 2011 to Dec. 15, 2011.
Tokens prepared for LDA: ['permit', 'application', 'construction', 'secondary', 'basement', 'apartment', 'record', 'search', 'october', 'december']
Original Request: Complete copies of files from ML&S, TFS, Public Health and TPS regarding {}, specifically those related to landlord and tenant issues. Including any orders issued by the City from the above mentioned departments.
Tokens prepared for LDA: ['complete', 'public', 'health', 'regard', 'specifically', 'relate', 'landlord', 'tenant', 'issue', 'include', 'order', 'issue', 'mention', 'department']
Original Request: Any orders issued to destroy long grass and weeds or remediate graffiti at {} investigations with respect to garage sales, signs, property maintenance, property standards or fences and if so any outstanding amounts etc.
Tokens prepared for LDA: ['order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard', 'fence', 'outstanding']
Original Request: Any orders issued to destroy long grass and weeds or remediate graffiti at {} investigations with respect to garage sales, signs, property maintenance, property standards or fences and if so any outstanding amounts etc.
Tokens prepared for LDA: ['order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard', 'fence', 'outstanding']
Original Request: Any orders issued to destroy long grass and weeds or remediate graffiti at {} investigations with respect to garage sales, signs, property maintenance, property standards or fences and if so any outstanding amounts etc.
Tokens prepared for LDA: ['order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard', 'fence', 'outstanding']
Original Request: Any orders issued to destroy long grass and weeds or remediate graffiti at {} investigations with respect to garage sales, signs, property maintenance, property standards or fences and if so any outstanding amounts etc.
Tokens prepared for LDA: ['order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard', 'fence', 'outstanding']
Original Request: Any orders issued to destroy long grass and weeds or remediate graffiti at {} investigations with respect to garage sales, signs, property maintenance, property standards or fences and if so any outstanding amounts etc.
Tokens prepared for LDA: ['order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard', 'fence', 'outstanding']
Original Request: Any orders issued to destroy long grass and weeds or remediate graffiti at {} investigations with respect to garage sales, signs, property maintenance, property standards or fences and if so any outstanding amounts etc.
Tokens prepared for LDA: ['order', 'issue', 'destroy', 'grass', 'remediate', 'graffito', 'investigation', 'respect', 'garage', 'property', 'maintenance', 'property', 'standard', 'fence', 'outstanding']
Original Request: Briefing notes, and any other records, pertaining to {} application to sit on the Toronto Public Library Board, including records showing which anonymized number was assigned to {} candidacy.
Tokens prepared for LDA: ['briefing', 'record', 'pertain', 'application', 'toronto', 'public', 'library', 'board', 'include', 'record', 'anonymized', 'assign', 'candidacy']
Original Request: Please confirm the building permits used to build {}, Toronto. Need to confirm if this is a legal triplex.
Tokens prepared for LDA: ['confirm', 'build', 'permit', 'build', 'toronto', 'confirm', 'legal', 'triplex']
Original Request: History of all building permit files and notes for {}, North York, from 1998 to 2015.
Tokens prepared for LDA: ['history', 'build', 'permit', 'north']
Original Request: A list of all past and present building permits, listing who applied for the permits, when it was applied for and, if closed, when it was closed for {}. Period of search from Jan. 1, 2007 to Dec. 31, 2011.
Tokens prepared for LDA: ['present', 'build', 'permit', 'apply', 'permit', 'apply', 'close', 'close', 'period', 'search', 'january', 'december']
Original Request: City of Toronto blocked sewer line inspection at {}, Etobicoke, from May11, 2015 to May 15, 2015. Ref. # 3338231.
Tokens prepared for LDA: ['toronto', 'block', 'sewer', 'inspection', 'etobicoke', 'may11', '3338231']
Original Request: All complaints to ML&S (2014-02015) re: noise; zoning; Property Standards. All complaints to Building in 2014 re: tent structure. All relevant notes, photos and documents issued by City, from Jan. 1, 2014 to May 27, 2015 for {}.
Tokens prepared for LDA: ['complaint', '02015', 'noise', 'property', 'standard', 'complaint', 'building', 'structure', 'relevant', 'photo', 'document', 'issue', 'january']
Original Request: Information related to a building permit submitted in 1996 for {}, including the application, drawings that were approved. Drawings and inspector's notes for a permit was applied for and approved in 1996 for a rear addition.
Tokens prepared for LDA: ['information', 'relate', 'build', 'permit', 'submit', 'include', 'application', 'drawing', 'approve', 'drawing', 'inspector', 'permit', 'apply', 'approve', 'addition']
Original Request: All applications for a permit with the City; permit records and plans; all inspection records maintained for {} North York, from May 1, 2006 to present.
Tokens prepared for LDA: ['application', 'permit', 'permit', 'record', 'inspection', 'record', 'maintain', 'north', 'present']
Original Request: Contact information of builder, architect of {}, Etobicoke in order to obtain more details on original plans, drawings.
Tokens prepared for LDA: ['contact', 'information', 'builder', 'architect', 'etobicoke', 'order', 'obtain', 'original', 'drawing']
Original Request: Record of all payments made to PFR for the protection or preservation of trees on property located at {} over the past 10 years.
Tokens prepared for LDA: ['record', 'payment', 'protection', 'preservation', 'property', 'locate']
Original Request: A complete copy of permit application file for {} from Mar. 2014 to May 29, 2015, including dated letters sent to the architects/contractors (Strategic Homes).
Tokens prepared for LDA: ['complete', 'permit', 'application', 'march', 'include', 'letter', 'architect', 'contractor', 'strategic', 'home']
Original Request: A complete copy of permit application file for {} from Mar. 2014 to May 29, 2015, including dated letters sent to the architects/contractors (Strategic Homes).
Tokens prepared for LDA: ['complete', 'permit', 'application', 'march', 'include', 'letter', 'architect', 'contractor', 'strategic', 'home']
Original Request: A copy of report following on site review on May 29, 2015 of main sewer drain line leading to {}, maintenance holes and main drain line from house clean-out to city line.
Tokens prepared for LDA: ['report', 'follow', 'review', 'sewer', 'drain', 'maintenance', 'drain', 'house', 'clean']
Original Request: A copy of investigation report following dog attack incident on Jan. 23, 2014 at {} (interior courtyard) sometime around 8:45 A.M.
Tokens prepared for LDA: ['investigation', 'report', 'follow', 'attack', 'incident', 'january', 'interior', 'courtyard']
Original Request: A copy of all occupancy permits (temporary or otherwise) issued for {} after Aug. 2013.
Tokens prepared for LDA: ['occupancy', 'permit', 'temporary', 'issue', 'august']
Original Request: Encroachment agreement for {} to install a basketball net over the public ROW. A copy of the request sent in by the owner of the net and any background papers or reports prepared by staff, from June 1, 2014 to present.
Tokens prepared for LDA: ['encroachment', 'agreement', 'install', 'basketball', 'public', 'request', 'owner', 'background', 'paper', 'report', 'prepare', 'staff', 'present']
Original Request: City Council decision taken, circa 2012, to ban ball and game-playing in City roadways. Please provide staff reports and background papers, plus other supporting documents which led to Council's decision, from July 1, 2010 to Dec. 31, 2013.
Tokens prepared for LDA: ['council', 'decision', 'circa', 'roadway', 'provide', 'staff', 'report', 'background', 'paper', 'support', 'document', 'council', 'decision', 'december']
Original Request: Complete copies of planning and building files for {} including electrical and mechanical drawings from as far back as possible to present.
Tokens prepared for LDA: ['complete', 'build', 'include', 'electrical', 'mechanical', 'drawing', 'possible', 'present']
Original Request: Copies of all building permits issued to {} including violations and work orders. Record search as far back as possible to present.
Tokens prepared for LDA: ['copy', 'build', 'permit', 'issue', 'include', 'violation', 'order', 'record', 'search', 'possible', 'present']
Original Request: Copies of all e-mails, phone logs and print communication regarding enforcement or non-enforcement of the Ontario Highway Traffic Act, by Toronto Police Services (TPS) which were exchanged between the Office of the Mayor (see list below) etc.
Tokens prepared for LDA: ['copy', 'phone', 'print', 'communication', 'regard', 'enforcement', 'enforcement', 'ontario', 'highway', 'traffic', 'toronto', 'police', 'services', 'exchange', 'office', 'mayor']
Original Request: Record of any legal action taken by businesses in the Yorkville area against the City of Toronto with regards to construction at {} from 2013 to 2015.
Tokens prepared for LDA: ['record', 'legal', 'action', 'business', 'yorkville', 'toronto', 'regard', 'construction']
Original Request: Copies of building documents for {} as follows: 1. Building permits or plans; 2. Any executed agreements; 3. Outstanding letters of credit; 4. Relevant zoning and official plan designations; and etc.
Tokens prepared for LDA: ['copy', 'build', 'document', 'follow', 'building', 'permit', 'execute', 'agreement', 'outstanding', 'letter', 'credit', 'relevant', 'official', 'designation']
Original Request: A copy ML&S file records for {} from May 21, 2015 to June 27, 2015; including letter served to by ML&S Officer Cameron Culver on May 21, 2015.
Tokens prepared for LDA: ['record', 'include', 'letter', 'serve', 'officer', 'cameron', 'culver']
Original Request: A complete copy of Committee of Adjustment file for {} from 2002 to present.
Tokens prepared for LDA: ['complete', 'committee', 'adjustment', 'present']
Original Request: A copy of ML&S inspection reports for {}, investigated by Robert Carville. Record search from May 1, 2015 to May 15, 2015.
Tokens prepared for LDA: ['inspection', 'report', 'investigate', 'robert', 'carville', 'record', 'search']
Original Request: All documents created from January 2010 to the date this request is processed related to the Toronto Police (agency) use of aerial drones, unmanned aerials (UAs), unmanned aerial vehicles (UAVs), and/or unmanned aerial systems (UASs) etc.
Tokens prepared for LDA: ['document', 'create', 'january', 'request', 'process', 'relate', 'toronto', 'police', 'agency', 'aerial', 'drone', 'unman', 'aerial', 'unman', 'aerial', 'vehicle', 'and/or', 'unman', 'aerial']
Original Request: All permits, descriptions, violations, past to present permits for {} from Jan. 1, 1905 to June15, 2015.
Tokens prepared for LDA: ['permit', 'description', 'violation', 'present', 'permit', 'january', 'june15']
Original Request: A copy of every document including statistics and other data showing the number of times that city employees who give out parking tickets have received verbal or physical threats, for each year between Jan 1, 2010 and June 3, 2015.
Tokens prepared for LDA: ['document', 'include', 'statistic', 'datum', 'employee', 'ticket', 'receive', 'verbal', 'physical', 'threat']
Original Request: Record of the number of City employees who have been warned or disciplined over their use of the internet at work, including social media and a description of the consequences they faced. Record search from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['record', 'employee', 'discipline', 'internet', 'include', 'social', 'medium', 'description', 'consequence', 'record', 'search', 'january', 'present']
Original Request: A copy of folder no.'s: 06-178046, 06-178047, and 06-178048 as referred to in {individual's }'s letter dated February 17, 2007 related to {}.
Tokens prepared for LDA: ['folder', '178046', '178047', '178048', 'refer', 'individual', 'letter', 'february', 'relate']
Original Request: A copy of the dog bite incident report regarding the incident at {Address removed}, North York. The incident occurred on September 7, 2013.
Tokens prepared for LDA: ['incident', 'report', 'regard', 'incident', 'address', 'remove', 'north', 'incident', 'occur', 'september']
Original Request: A copy of the 311 call record which was placed on December 2, 2011 by {phone number removed}.
Tokens prepared for LDA: ['record', 'place', 'december', 'phone', 'removed}.']
Original Request: Copies of any tickets, either speeding or parking or otherwise connected to licence {number removed} from 2008 to present.
Tokens prepared for LDA: ['copy', 'ticket', 'speed', 'connect', 'licence', 'remove', 'present']
Original Request: Copies of park permit applications for Ford Fest events that took place on July 5, 2013 at Thomson Memorial Park and Sept. 20, 2013 at Centennial Park in Etobicoke.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'event', 'place', 'thomson', 'memorial', 'september', 'centennial', 'etobicoke']
Original Request: A copy of all inspection notes resulting from complaints against {} to MLS and Transportation. Records from January 2009 to present.
Tokens prepared for LDA: ['inspection', 'result', 'complaint', 'transportation', 'record', 'january', 'present']
Original Request: A copy of all inspection notes resulting from complaints against {} to MLS and Toronto Building. Records from January 2009 to present.
Tokens prepared for LDA: ['inspection', 'result', 'complaint', 'toronto', 'building', 'record', 'january', 'present']
Original Request: A copy of all records related to bed bugs at {} for the past two years.
Tokens prepared for LDA: ['record', 'relate']
Original Request: A copy of records relating to the results of the Drain Grant Investigation at {}. Customer Service Request No. 525935. The inspection occurred on August 29, 2010.
Tokens prepared for LDA: ['record', 'relate', 'result', 'drain', 'grant', 'investigation', 'customer', 'service', 'request', '525935', 'inspection', 'occur', 'august']
Original Request: A copy of the Building inspection file, including but not limited to all correspondence, attachments, permits, and engineer's reports with respect to {}.
Tokens prepared for LDA: ['building', 'inspection', 'include', 'limit', 'correspondence', 'attachment', 'permit', 'engineer', 'report', 'respect']
Original Request: A copy of MLS and Building records related to {}, specifically records related to charges, notices, work orders, inspection fees, actions, requests for compliance or action from the property from Jan. 1, 2007 to present.
Tokens prepared for LDA: ['building', 'record', 'relate', 'specifically', 'record', 'relate', 'charge', 'notice', 'order', 'inspection', 'action', 'request', 'compliance', 'action', 'property', 'january', 'present']
Original Request: Copies of permit applications and permits granted for two public events hosted by Toronto Mayor Rob Ford, popularly referred to as "Ford fests", held on July 5, 2013 at Thomson Memorial Park and Sept. 20, 2013 at Centennial Park.
Tokens prepared for LDA: ['copy', 'permit', 'application', 'permit', 'grant', 'public', 'event', 'toronto', 'mayor', 'popularly', 'refer', 'thomson', 'memorial', 'september', 'centennial']
Original Request: Records detailing immunization rates of health care workers in nursing homes, long-term care facilities and hosopitals in Toronto.
Tokens prepared for LDA: ['record', 'immunization', 'health', 'worker', 'nurse', 'facility', 'hosopitals', 'toronto']
Original Request: An electronic copy of the City's fraud and waste whistleblower hotline database containing all complaints filed between Jan. 1, 2009 and present.
Tokens prepared for LDA: ['electronic', 'fraud', 'waste', 'whistleblower', 'hotline', 'database', 'contain', 'complaint', 'january', 'present']
Original Request: An electronic copy of the City database containing all non-regulated lead testing results on residential and non-residential properties through the use of lead testing kits between Jan. 1, 2008 and present that exceeded the Ontario Drinking Water Quality
Tokens prepared for LDA: ['electronic', 'database', 'contain', 'regulate', 'result', 'residential', 'residential', 'property', 'january', 'present', 'exceed', 'ontario', 'drinking', 'water', 'quality']
Original Request: A complete copy of building file for {} under permit # 05-209426.
Tokens prepared for LDA: ['complete', 'build', 'permit', '209426']
Original Request: A complete copy of building file for {} under permit # 03-128392.
Tokens prepared for LDA: ['complete', 'build', 'permit', '128392']
Original Request: A complete copy of building file for {} under permit # 98-05214.
Tokens prepared for LDA: ['complete', 'build', 'permit', '05214']
Original Request: All records pertaining to standard taxicab plate number {number removed} and {plate number removed}, owned by Barboil Inc.
Tokens prepared for LDA: ['record', 'pertain', 'standard', 'taxicab', 'plate', 'remove', 'plate', 'remove', 'barboil']
Original Request: Copies of all complaints made to Toronto Fire Services for {} from Oct. 1, 2012 to Oct. 1, 2013.
Tokens prepared for LDA: ['copy', 'complaint', 'toronto', 'services', 'october', 'october']
Original Request: A copy of the MLS file no. 2301337 from September 2013.
Tokens prepared for LDA: ['2301337', 'september']
Original Request: A copy of any permits allowing the landlord to modify the plumbing, piping, heating, and/or HVAC systems at {} frm 1980 to present.
Tokens prepared for LDA: ['permit', 'allow', 'landlord', 'modify', 'plumb', 'and/or', 'present']
Original Request: Annual reports from contractor responsible for conducting catch basin larviciding program and West Nile virus risk reduction efforts from 2011, 2012 and 2013 (if available).
Tokens prepared for LDA: ['annual', 'report', 'contractor', 'responsible', 'conduct', 'catch', 'basin', 'larviciding', 'program', 'virus', 'reduction', 'effort', 'available']
Original Request: A copy of any permit information for the renovation / drain work being completed at {} on or about March 2013.
Tokens prepared for LDA: ['permit', 'information', 'renovation', 'drain', 'complete', 'march']
Original Request: A copy of any work orders or deficiency notices for {}.
Tokens prepared for LDA: ['order', 'deficiency', 'notice']
Original Request: Copy of the Application for a Special Event in a City Park or Facility forms submitted relating to the "Ford Fest" events that occurred on July 5, 2013 at Thomson Memorial Park and Sept. 20, 2013 at Centennial Park, dates / times these forms were submitted.
Tokens prepared for LDA: ['application', 'special', 'event', 'facility', 'submit', 'relate', 'event', 'occur', 'thomson', 'memorial', 'september', 'centennial', 'submit']
Original Request: Copies of e-mails sent to and from Planner Liora Freedman concerning the volume and/or frequency of e-mails received from the public regarding the development application at 410-446 Bathurst St. (the Kensington Walmart).
Tokens prepared for LDA: ['copy', 'planner', 'liora', 'freedman', 'concern', 'volume', 'and/or', 'frequency', 'receive', 'public', 'regard', 'development', 'application', 'bathurst', 'kensington', 'walmart']
Original Request: All e-mails, memos, correspondence, documents related to Ford Fest in Centennial Park on Sept. 20, 2013 and Thomson Park on July 5, 2013.
Tokens prepared for LDA: ['correspondence', 'document', 'relate', 'centennial', 'september', 'thomson']
Original Request: A copy of the fire inspection reports or records related to {}, including records from inspector. Records from November 1, 2012 to September 5, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'record', 'relate', 'include', 'record', 'inspector', 'record', 'november', 'september']
Original Request: A copy of the taxi cab file regarding plate {number removed} with respect to {individual's }.
Tokens prepared for LDA: ['regard', 'plate', 'remove', 'respect', 'individual']
Original Request: A copy of entire file and pictures from By-law Officer Tiffen Williams for {}. The inspection was done on Sept. 20, 2013. The pictures were of the side of the home that faces {}.
Tokens prepared for LDA: ['entire', 'picture', 'officer', 'tiffen', 'williams', 'inspection', 'september', 'picture']
Original Request: A copy of ML&S inspection reports, public health reports on bed bugs issues on main floor and 311 call records for {} from April 1, 2013 to Oct. 2, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'public', 'health', 'report', 'issue', 'floor', 'record', 'april', 'october']
Original Request: A copy of taxi cab licence file for {number removed} relating to {individual's }. The reference number is {phone number removed}.
Tokens prepared for LDA: ['licence', 'remove', 'relate', 'individual', 'reference', 'phone', 'removed}.']
Original Request: All Toronto Public Health inspection reports for each of the food and beverage vendors located at the Air Canada Centre, 40 Bay St.
Tokens prepared for LDA: ['toronto', 'public', 'health', 'inspection', 'report', 'beverage', 'vendor', 'locate', 'canada', 'centre']
Original Request: Copies of all engineering and inspection reports, as well as e-mails and briefing notes relating to the condition of the Dowling Ave. Bridge that crosses over the rail corridor just north of the Gardiner Expressway from Jan. 1, 2008 to present.
Tokens prepared for LDA: ['copy', 'engineer', 'inspection', 'report', 'brief', 'relate', 'condition', 'dowling', 'bridge', 'crosse', 'corridor', 'north', 'gardiner', 'expressway', 'january', 'present']
Original Request: Copies of all engineering and inspection reports, as well as e-mails and briefing notes relating to the condition of the Dowling Ave. Bridge that crosses over the rail corridor just north of the Gardiner Expressway from Jan. 1, 2008 to present.
Tokens prepared for LDA: ['copy', 'engineer', 'inspection', 'report', 'brief', 'relate', 'condition', 'dowling', 'bridge', 'crosse', 'corridor', 'north', 'gardiner', 'expressway', 'january', 'present']
Original Request: A copy of forestry report for an oak tree located at {}, corner of Queen and McLean from August 12, 2013 to present. The limb of the tree detached onto Queen Street on August 12, 2013. Also require the ownership of the oak tree.
Tokens prepared for LDA: ['forestry', 'report', 'locate', 'corner', 'queen', 'mclean', 'august', 'present', 'detach', 'queen', 'street', 'august', 'require', 'ownership']
Original Request: Complete list of properties rented by the City of Toronto for purposes including, but not limited to, office space and storage for the fiscal year 2012.
Tokens prepared for LDA: ['complete', 'property', 'toronto', 'purpose', 'include', 'limit', 'office', 'space', 'storage', 'fiscal']
Original Request: Any documents, notes, reports and other information which in any way pertains to an iron water main burst/rupture in front of {} on Jan. 30, 2013 at 5.00 am.
Tokens prepared for LDA: ['document', 'report', 'information', 'pertain', 'water', 'burst', 'rupture', 'january']
Original Request: The complete folder history of #131237350 PRS 00 IV for {} prior to the Property Standards Committee meeting to be held on Oct. 24, 2013; Toronto Public Health file for the same property.
Tokens prepared for LDA: ['complete', 'folder', 'history', '131237350', 'prior', 'property', 'standard', 'committee', 'october', 'toronto', 'public', 'health', 'property']
Original Request: The complete folder history of #131237350 PRS 00 IV for {} prior to the Property Standards Committee meeting to be held on Oct. 24, 2013; Toronto Public Health file for the same property.
Tokens prepared for LDA: ['complete', 'folder', 'history', '131237350', 'prior', 'property', 'standard', 'committee', 'october', 'toronto', 'public', 'health', 'property']
Original Request: The complete folder history of #131237350 PRS 00 IV for {} prior to the Property Standards Committee meeting to be held on Oct. 24, 2013; Toronto Public Health file for the same property.
Tokens prepared for LDA: ['complete', 'folder', 'history', '131237350', 'prior', 'property', 'standard', 'committee', 'october', 'toronto', 'public', 'health', 'property']
Original Request: A copy of the file regarding the building permit no. 87-014273 for change of use of building space from parking to apartments at {}, including inspection records.
Tokens prepared for LDA: ['regard', 'build', 'permit', '014273', 'change', 'build', 'space', 'apartment', 'include', 'inspection', 'record']
Original Request: A copy of the fire inspection report {} related to there being an illegal apartment and building code violations. Also any orders or inspection records from Building and MLS. Records from August to September 2013.
Tokens prepared for LDA: ['inspection', 'report', 'relate', 'illegal', 'apartment', 'build', 'violation', 'order', 'inspection', 'record', 'building', 'record', 'august', 'september']
Original Request: A copy of the Public Health report and investigation notes regarding the mould inspection at {}. Records from July to August 2013.
Tokens prepared for LDA: ['public', 'health', 'report', 'investigation', 'regard', 'mould', 'inspection', 'record', 'august']
Original Request: A copy of the investigation file no. 13 186178 PRS 00 IR regarding the complaint issued for {}.
Tokens prepared for LDA: ['investigation', '186178', 'regard', 'complaint', 'issue']
Original Request: A copy of the confidential attachment which presents options for restructuring the City's relationship with BIXI Toronto (attached to April 23 Executive Committee meeting). Also any audited financial statements from BIXI and breakdown of user numbers.
Tokens prepared for LDA: ['confidential', 'attachment', 'present', 'option', 'restructure', 'relationship', 'toronto', 'attach', 'april', 'executive', 'committee', 'audit', 'financial', 'statement', 'breakdown', 'number']
Original Request: A copy of records related to {}, specifically the drainage and sewage connection record, records showing the direction of inward and drain out level(s), and records showing the size of pipe connected to the City's.
Tokens prepared for LDA: ['record', 'relate', 'specifically', 'drainage', 'sewage', 'connection', 'record', 'record', 'direction', 'inward', 'drain', 'level(s', 'record', 'connect']
Original Request: A copy of building permit, any records of violation for the construction of attic, any records of violation for the driveway at {} from Jan. 1970 to Sept. 2012.
Tokens prepared for LDA: ['build', 'permit', 'record', 'violation', 'construction', 'attic', 'record', 'violation', 'driveway', 'january', 'september']
Original Request: Total expenditures for the 129 Peter Street Shelter for the fiscal year of 2012; total bed nights provided at the 129 Peter Street Shelter for the fiscal year of 2012.
Tokens prepared for LDA: ['total', 'expenditure', 'peter', 'street', 'shelter', 'fiscal', 'total', 'night', 'provide', 'peter', 'street', 'shelter', 'fiscal']
Original Request: A copy of the building permits and records showing a history of the property at {}, North York.
Tokens prepared for LDA: ['build', 'permit', 'record', 'history', 'property', 'north']
Original Request: Record of any flood reports for {} before December 2008 sewer back up in the basement or general flooding in the house.
Tokens prepared for LDA: ['record', 'flood', 'report', 'december', 'sewer', 'basement', 'general', 'flood', 'house']
Original Request: A copy of the by law inspection records for {} or the neighbouring property with respect to blocking access to the back parking. Reference No. 316 9223.
Tokens prepared for LDA: ['inspection', 'record', 'neighbour', 'property', 'respect', 'block', 'access', 'reference']
Original Request: All e-mails sent and received by Amin Massoudi between May 16 and 23, 2013, including backup tapes, specifically look for any e-mails with keyword "advice" and "advise".
Tokens prepared for LDA: ['receive', 'massoudi', 'include', 'backup', 'specifically', 'keyword', 'advice', 'advise']
Original Request: Any and all Orders or files relating to {} which have been issued within the last year, including, but not limited to, City of Toronto Order, issued on July 18, 2013 reference folder no. 13 206755 PRS 00 IV / RW 739 818
Tokens prepared for LDA: ['order', 'relate', 'issue', 'include', 'limit', 'toronto', 'order', 'issue', 'reference', 'folder', '206755']
Original Request: A copy of the Urban Forestry inspection report related to a tree at {}, including the full report and subsequent comments of the Urban Forestry inspector.
Tokens prepared for LDA: ['urban', 'forestry', 'inspection', 'report', 'relate', 'include', 'report', 'subsequent', 'comment', 'urban', 'forestry', 'inspector']
Original Request: A copy of all complaints, violation records, letters and documents relating to smoking issues and smoking enforcement for {}. Records from January 1, 2000 to May 1, 2013 and June 15, 2013 to October 15, 2013.
Tokens prepared for LDA: ['complaint', 'violation', 'record', 'letter', 'document', 'relate', 'smoke', 'issue', 'smoke', 'enforcement', 'record', 'january', 'october']
Original Request: A copy of any and all records available from the red light camera located at the intersection of Lawrence Avenue and Marlee Avenue on August 13, 2013 for the plate {number removed}.
Tokens prepared for LDA: ['record', 'available', 'light', 'camera', 'locate', 'intersection', 'lawrence', 'avenue', 'marlee', 'avenue', 'august', 'plate', 'removed}.']
Original Request: A copy of records showing which party was completing work in the rear of {} on or about May 22, 2012.
Tokens prepared for LDA: ['record', 'party', 'complete']
Original Request: A copy of records outlining the work that was done, what blockage if any they found and the present condition of the drains at {}. Records related to the past 4 years.
Tokens prepared for LDA: ['record', 'outline', 'blockage', 'present', 'condition', 'drain', 'record', 'relate']
Original Request: Confirmation of which party that may have been digging at {}, Toronto from June 1, 2011 to June 15, 2012.
Tokens prepared for LDA: ['confirmation', 'party', 'toronto']
Original Request: A copy of all complaint records regarding {} pertaining to the structure of the building, pavement, sidewalk, or road way issues, and issues regarding the roof. Records from Feb. 14, 2010 to present.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'pertain', 'structure', 'build', 'pavement', 'sidewalk', 'issue', 'issue', 'regard', 'record', 'february', 'present']
Original Request: A copy of building permits, work orders and work stoppages for {} from Sept. 2009 to October 2013.
Tokens prepared for LDA: ['build', 'permit', 'order', 'stoppage', 'september', 'october']
Original Request: A list or print screen of building (renovations) permits issued for {}. The search should go as far back as possible.
Tokens prepared for LDA: ['print', 'screen', 'build', 'renovation', 'permit', 'issue', 'search', 'possible']
Original Request: A copy of information from all applications for minor variance since the most recent amalgamation in 1998, including the dates of each application and/or decision, related bylaws, addresses, etc.
Tokens prepared for LDA: ['information', 'application', 'minor', 'variance', 'recent', 'amalgamation', 'include', 'application', 'and/or', 'decision', 'relate', 'bylaw', 'address']
Original Request: Records showing the number of internal and external candidates interviewed for the employment competitions of Job ID: 1768864X (Senior Coordinator Public Consultation) and Job ID: 1815863X (Coordinator Stakeholder Engagement & Special Projects) from 2013.
Tokens prepared for LDA: ['record', 'internal', 'external', 'candidate', 'interview', 'employment', 'competition', '1768864x', 'senior', 'coordinator', 'public', 'consultation', '1815863x', 'coordinator', 'stakeholder', 'engagement', 'special', 'project']
Original Request: A copy of building inspector's notes for {} for file # 09-157795 HVA. The inspector was Tim Schlink.
Tokens prepared for LDA: ['build', 'inspector', '157795', 'inspector', 'schlink']
Original Request: Electronic copies of all animal bite investigation reports from police, hospitals and clinics processed by Toronto Public Health and contained in the Healthy Environment database between January 2010 and present.
Tokens prepared for LDA: ['electronic', 'animal', 'investigation', 'report', 'police', 'hospital', 'clinic', 'process', 'toronto', 'public', 'health', 'contain', 'healthy', 'environment', 'database', 'january', 'present']
Original Request: Electronic copies of all documents related to the first case study regarding fraud relating to subsidy claims activities in the Exhibit 2 - Substantiated Complaint Summaries section of the 2012 Annual Report on Fraud Including Operations of Fraud & Waste Hotline.
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'study', 'regard', 'fraud', 'relate', 'subsidy', 'claim', 'activity', 'exhibit', 'substantiate', 'complaint', 'summary', 'section', 'annual', 'report', 'fraud', 'include', 'operations', 'fraud', 'waste', 'hotline']
Original Request: Electronic copies of all documents related to the sixth case study regarding conflict of interest activities in the Exhibit 2 - Substantiated Complaint Summaries section of the 2012 Annual Report on Fraud Including Operations of Fraud & Waste Hotline.
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'study', 'regard', 'conflict', 'activity', 'exhibit', 'substantiate', 'complaint', 'summary', 'section', 'annual', 'report', 'fraud', 'include', 'operations', 'fraud', 'waste', 'hotline']
Original Request: Electronic copies of all documents related to the ninth case study regarding misappropriation of funds and conflict of interest activities in the Exhibit 2 - Substantiated Complaint Summaries section of the 2012 Annual Report on Fraud and Waste Hotline.
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'study', 'regard', 'misappropriation', 'conflict', 'activity', 'exhibit', 'substantiate', 'complaint', 'summary', 'section', 'annual', 'report', 'fraud', 'waste', 'hotline']
Original Request: Electronic copies of all documents related to the tenth case study regarding inappropriate inspection activities in the Exhibit 2 - Substantiated Complaint Summaries section of the 2012 Annual Report on Fraud Including Operations of the Fraud and Waste Hotline.
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'study', 'regard', 'inappropriate', 'inspection', 'activity', 'exhibit', 'substantiate', 'complaint', 'summary', 'section', 'annual', 'report', 'fraud', 'include', 'operations', 'fraud', 'waste', 'hotline']
Original Request: Electronic copies of all documents related to the eighth case study regarding misappropriation of funds in the Exhibit 2 - Substantiated Complaint Summaries section of the 2012 Annual Report on Fraud Including Operations of the Fraud and Waste Hotline.
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'study', 'regard', 'misappropriation', 'exhibit', 'substantiate', 'complaint', 'summary', 'section', 'annual', 'report', 'fraud', 'include', 'operations', 'fraud', 'waste', 'hotline']
Original Request: Electronic copies of all documents related to the fourth case study regarding abuse of employee benefits in the Exhibit 2 - Substantiated Complaint Summaries section of the 2012 Annual Report on Fraud Including Operations of the Fraud and Waste Hotline.
Tokens prepared for LDA: ['electronic', 'document', 'relate', 'study', 'regard', 'abuse', 'employee', 'benefit', 'exhibit', 'substantiate', 'complaint', 'summary', 'section', 'annual', 'report', 'fraud', 'include', 'operations', 'fraud', 'waste', 'hotline']
Original Request: Electronic copies of all drinking water quality test results exceeding 10 ppb administered by residents or the city through the use of lead testing kits between January 2010 and present, organized by address.
Tokens prepared for LDA: ['electronic', 'drink', 'water', 'quality', 'result', 'exceed', 'administer', 'resident', 'january', 'present', 'organize', 'address']
Original Request: A copy of fire inspection report for {}, upper and lower floor for the period from Dec. 2012 to Jan. 2013.
Tokens prepared for LDA: ['inspection', 'report', 'upper', 'floor', 'period', 'december', 'january']
Original Request: All documents in the Urban Foresty File for {}.
Tokens prepared for LDA: ['document', 'urban', 'foresty']
Original Request: A copy of the building permit application form regarding {}. File no. 13 226 775 BLD 00BA.
Tokens prepared for LDA: ['build', 'permit', 'application', 'regard']
Original Request: A copy of all information and files related to noise complaints made by {name and address of complainant} for {} from 2010 to present.
Tokens prepared for LDA: ['information', 'relate', 'noise', 'complaint', 'address', 'complainant', 'present']
Original Request: A copy of the building permits and work orders related to {}. Specifically building permit no.'s {number removed} and {number removed} and work order no.'s 00 {number removed} and 00 {number removed}.
Tokens prepared for LDA: ['build', 'permit', 'order', 'relate', 'specifically', 'build', 'permit', 'remove', 'remove', 'order', 'remove', 'removed}.']
Original Request: A copy of the files resulting from the complaint made on September 16, 2013 to 311 regarding issues at {}. Issues pertaining to a broken window, mice and mice feces, mould and water from the fire alarm.
Tokens prepared for LDA: ['result', 'complaint', 'september', 'regard', 'issue', 'issue', 'pertain', 'break', 'window', 'mouse', 'mouse', 'feces', 'mould', 'water', 'alarm']
Original Request: A copy of the work permit for demolition at {} during the time of April to May 2013.
Tokens prepared for LDA: ['permit', 'demolition', 'april']
Original Request: A copy of all letters, correspondence, e-mails, reports, and phone calls between Heritage Services to/from Parks, Forestry & Recreation, Heritage Toronto, SCCD, Councillors, Westney Heritage House, SHS Heritage Toronto Plaques and Scott-Westney House.
Tokens prepared for LDA: ['letter', 'correspondence', 'report', 'phone', 'heritage', 'services', 'parks', 'forestry', 'recreation', 'heritage', 'toronto', 'councillor', 'westney', 'heritage', 'house', 'heritage', 'toronto', 'plaque', 'scott', 'westney', 'house']
Original Request: A copy of the building files for {}, specifically folder no.'s: 1995 08629900 PLB00HH (Reference No. P77685), 1997 083966 BLB00HH (Reference No. B82128), and 1997 085995 HVA00HH (Reference No. H82128).
Tokens prepared for LDA: ['build', 'specifically', 'folder', '08629900', 'plb00hh', 'reference', 'p77685', '083966', 'blb00hh', 'reference', 'b82128', '085995', 'hva00hh', 'reference', 'h82128']
Original Request: A copy of the current bill of services provided to the Toronto Zoo by MNP consultant, Jason Ducharne & Associates, in connection with zoo governance and board advisory.
Tokens prepared for LDA: ['current', 'service', 'provide', 'toronto', 'consultant', 'jason', 'ducharne', 'associate', 'connection', 'governance', 'board', 'advisory']
Original Request: A copy of the fire safety inspection report regarding the notice of fire code violation for {}.
Tokens prepared for LDA: ['safety', 'inspection', 'report', 'regard', 'notice', 'violation']
Original Request: A copy of records related to {}, including all calls made to 311 and any Toronto Water records from May 2011 to present. Also a copy of the fire inspection records and MLS records from February 2013 to present.
Tokens prepared for LDA: ['record', 'relate', 'include', 'toronto', 'water', 'record', 'present', 'inspection', 'record', 'record', 'february', 'present']
Original Request: A copy of post-flood City inspection reports for {} for visits/inspections done from July 8, 2013 to July 20, 2013. Also Toronto Water lead pipe replacement records for this property from Jan. 1, 1993 to present.
Tokens prepared for LDA: ['flood', 'inspection', 'report', 'visit', 'inspection', 'toronto', 'water', 'replacement', 'record', 'property', 'january', 'present']
Original Request: A copy of post-flood City inspection reports for {} for visits/inspections done from July 8, 2013 to July 20, 2013. Also Toronto Water lead pipe replacement records for this property from Jan. 1, 1993 to present.
Tokens prepared for LDA: ['flood', 'inspection', 'report', 'visit', 'inspection', 'toronto', 'water', 'replacement', 'record', 'property', 'january', 'present']
Original Request: A copy of any building permit information and/or occupancy records related to whether the terrace space on the 11th floor of {} was ever approved for occupancy.
Tokens prepared for LDA: ['build', 'permit', 'information', 'and/or', 'occupancy', 'record', 'relate', 'terrace', 'space', 'floor', 'approve', 'occupancy']
Original Request: A copy of all records regarding {} in relation to demolition, construction, environmental concerns, forestry, property standards, public health, occupational health and safety, labour/employment standards, or communication documents.
Tokens prepared for LDA: ['record', 'regard', 'relation', 'demolition', 'construction', 'environmental', 'concern', 'forestry', 'property', 'standard', 'public', 'health', 'occupational', 'health', 'safety', 'labour', 'employment', 'standard', 'communication', 'document']
Original Request: A copy of the archival records related to the Don Mount Village Housing Development. Fonds 220, series 11 and Fonds 220, Series 100.
Tokens prepared for LDA: ['archival', 'record', 'relate', 'mount', 'village', 'housing', 'development', 'fonds', 'series', 'fonds', 'series']
Original Request: A copy of the April 2013 Trip Generation Survey completed at the following sites: {addresses removed}.
Tokens prepared for LDA: ['april', 'generation', 'survey', 'complete', 'follow', 'address', 'removed}.']
Original Request: A copy of the report related to the call to 311 on September 28, 2013 (reference no. 2321511) regarding the traffic lights not functioning at Arglye Street and Ossington Avenue.
Tokens prepared for LDA: ['report', 'relate', 'september', 'reference', '2321511', 'regard', 'traffic', 'light', 'function', 'arglye', 'street', 'ossington', 'avenue']
Original Request: Records pertaining to complaints filed against {individual's } or {company's } relating to {}, from Jan. 21, 2009 to present.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'individual', 'company', 'relate', 'january', 'present']
Original Request: Building foundation permit application including drawings of foundation, shoring, site plan for permit # 04130199 FND 00 PP dated April 6, 2005.
Tokens prepared for LDA: ['building', 'foundation', 'permit', 'application', 'include', 'drawing', 'foundation', 'shore', 'permit', '04130199', 'april']
Original Request: All reports to do with {}, East York, from Electrical Safety Standards, property safety standards, fire safety, Public Health, property standards waste management from Jan. 1, 2012 to Oct. 31, 2013.
Tokens prepared for LDA: ['report', 'electrical', 'safety', 'standard', 'property', 'safety', 'standard', 'safety', 'public', 'health', 'property', 'standard', 'waste', 'management', 'january', 'october']
Original Request: Records from ML&S for {} relating to service request # 2312391. The issue related to roofing repair.
Tokens prepared for LDA: ['record', 'relate', 'service', 'request', '2312391', 'issue', 'relate', 'repair']
Original Request: For the years 2000 to 2012, the homelsss population; the number of shelters and the number of beds in each; the cost of each bed per day; the number of transitional housing beds; and their cost per day/or week/or month.
Tokens prepared for LDA: ['homel', 'population', 'shelter', 'transitional', 'house', 'month']
Original Request: Records pertaining to complaints filed against {individual's } or {company } relating to {} from Jan. 21, 2009 to present.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'individual', 'company', 'relate', 'january', 'present']
Original Request: Records pertaining to complaints filed against {individual's } or {company } relating to {} from Jan. 21, 2009 to present.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'individual', 'company', 'relate', 'january', 'present']
Original Request: Records pertaining to complaints filed against {individual's } or {company } relating to {} from Jan. 21, 2009 to present.
Tokens prepared for LDA: ['record', 'pertain', 'complaint', 'individual', 'company', 'relate', 'january', 'present']
Original Request: A copy of records and correspondence related to the destruction of roots and branches of the tree on {} and the City tree on {}, including any permits related to the demolition and construction at {}.
Tokens prepared for LDA: ['record', 'correspondence', 'relate', 'destruction', 'branch', 'include', 'permit', 'relate', 'demolition', 'construction']
Original Request: A copy of Public Health file # 116300 for {}.
Tokens prepared for LDA: ['public', 'health', '116300']
Original Request: A copy of any 2013 correspondence between City staff and employees of Councillor Giorgio Mammoliti (including the Councillor himself) as well as any communication between City staff members about the Councillor and his expenses.
Tokens prepared for LDA: ['correspondence', 'staff', 'employee', 'councillor', 'giorgio', 'mammoliti', 'include', 'councillor', 'communication', 'staff', 'member', 'councillor', 'expense']
Original Request: A copy of history of building permits for {}.
Tokens prepared for LDA: ['history', 'build', 'permit']
Original Request: Sewer / water records for sewer back up that occurred on July 7, 2013 at {}, North York.
Tokens prepared for LDA: ['sewer', 'water', 'record', 'sewer', 'occur', 'north']
Original Request: All documents and permits, drawings related to {}.
Tokens prepared for LDA: ['document', 'permit', 'drawing', 'relate']
Original Request: All documents and permits, drawings related to {}.
Tokens prepared for LDA: ['document', 'permit', 'drawing', 'relate']
Original Request: A copy of the building permit reports and work order history from 2012 to present for {}.
Tokens prepared for LDA: ['build', 'permit', 'report', 'order', 'history', 'present']
Original Request: All documents related to the January 30, 2013 water main break in front of 914 Yonge St including when City received call of break, response time. All documents related to the August 2010 report of a water main leak between Davenport and Frichot on Yonge
Tokens prepared for LDA: ['document', 'relate', 'january', 'water', 'break', 'yonge', 'include', 'receive', 'break', 'response', 'document', 'relate', 'august', 'report', 'water', 'davenport', 'frichot', 'yonge']
Original Request: A list of concrete companies who have acquired and/or requested a water discharge permit.
Tokens prepared for LDA: ['concrete', 'company', 'acquire', 'and/or', 'request', 'water', 'discharge', 'permit']
Original Request: A copy of 311 Toronto and Forestry Operations complaints reported at the duplex located at {} from January 2011 to present.
Tokens prepared for LDA: ['toronto', 'forestry', 'operations', 'complaint', 'report', 'duplex', 'locate', 'january', 'present']
Original Request: A copy of property standards report for {} including common areas. The 311 reference number is 2316273. The inspection was done on Sept. 12 and Sept. 13, 2013. Also the Public Health inspection report done on Sept. 12, 2013.
Tokens prepared for LDA: ['property', 'standard', 'report', 'include', 'common', 'reference', '2316273', 'inspection', 'september', 'september', 'public', 'health', 'inspection', 'report', 'september']
Original Request: All documents relating to reports, recommendations, inspections and diaries, work orders and records for {} and {}, concerning water supply lines, and repair work performed two months prior to and after Feb. 21, 2013.
Tokens prepared for LDA: ['document', 'relate', 'report', 'recommendation', 'inspection', 'diary', 'order', 'record', 'concern', 'water', 'supply', 'repair', 'perform', 'month', 'prior', 'february']
Original Request: A complete copy of ML&S file including all reports and complaints for {}, Etobicoke.
Tokens prepared for LDA: ['complete', 'include', 'report', 'complaint', 'etobicoke']
Original Request: A complete copy of prosecutor's file for {Ifile numbers removed}. Also, a copy of ML&S policy and practice when it comes to notifying accused persons of new appearance dates.
Tokens prepared for LDA: ['complete', 'prosecutor', 'ifile', 'number', 'removed}.', 'policy', 'practice', 'notify', 'accuse', 'person', 'appearance']
Original Request: A copy of all written notes and logs that show activities of the building inspector regarding a renovation at {}, specifically records related to building permit no. 08167881 and 09140032.
Tokens prepared for LDA: ['write', 'activity', 'build', 'inspector', 'regard', 'renovation', 'specifically', 'record', 'relate', 'build', 'permit', '08167881', '09140032']
Original Request: Document or letter of zoning violation by ML&S issued to requester in 2010 for {}, North York, due to a duplex being used as a triplex, from Jan. 2010 to May 2011.
Tokens prepared for LDA: ['document', 'letter', 'violation', 'issue', 'requester', 'north', 'duplex', 'triplex', 'january']
Original Request: Any ML&S by-law violations filed against {} from 1980 to present.
Tokens prepared for LDA: ['violation', 'present']
Original Request: Municipal By-law officer service request documents detailing noise by-law investigations and disturbances at {} from Nov. 2010 to present
Tokens prepared for LDA: ['municipal', 'officer', 'service', 'request', 'document', 'noise', 'investigation', 'disturbance', 'november', 'present']
Original Request: Police investigation reports for noise and disturbances at {}. from Nov. 2010 to present.
Tokens prepared for LDA: ['police', 'investigation', 'report', 'noise', 'disturbance', 'november', 'present']
Original Request: A complete copy of Public Health file including all correspondence, memos, reports, inspection, investigation, medical information for the {} from Spring 2008 to present.
Tokens prepared for LDA: ['complete', 'public', 'health', 'include', 'correspondence', 'report', 'inspection', 'investigation', 'medical', 'information', 'spring', 'present']
Original Request: Building permits and plans for {} from 2008 to present.
Tokens prepared for LDA: ['building', 'permit', 'present']
Original Request: A copy of the all building records pertaining to {}.
Tokens prepared for LDA: ['build', 'record', 'pertain']
Original Request: A copy of the Public Health report from August 14, 2013 regarding the basement at {}. File No. 115793.
Tokens prepared for LDA: ['public', 'health', 'report', 'august', 'regard', 'basement', '115793']
Original Request: A copy of the Public Health report for {}. File No. 109580.
Tokens prepared for LDA: ['public', 'health', 'report', '109580']
Original Request: All correspondence from Inspector Alberto Del Maestro to and from the Corporation/Property Manager, Engineer re: the deficiencies on the canopy constructed on balcony of {}. Details of inspection carried out on Sept. 30, 2013.
Tokens prepared for LDA: ['correspondence', 'inspector', 'alberto', 'maestro', 'corporation', 'property', 'manager', 'engineer', 'deficiency', 'canopy', 'construct', 'balcony', 'details', 'inspection', 'carry', 'september']
Original Request: A copy of any e-mails from the Mayor's Office, the City Manager's Office and Facilities regarding the broken elevator in City Hall from October 21 to October 25, 2013.
Tokens prepared for LDA: ['mayor', 'office', 'manager', 'office', 'facility', 'regard', 'break', 'elevator', 'october', 'october']
Original Request: A copy of the Rescue camera snapshot or any camera photograph of the motor vehicle accident which occurred on September 7, 2013 at 1:30 p.m. The incident occurred at the intersection of Jarvis and Maitland involving a silver Honda Civic {Plate number removed}.
Tokens prepared for LDA: ['rescue', 'camera', 'snapshot', 'camera', 'photograph', 'motor', 'vehicle', 'accident', 'occur', 'september', 'incident', 'occur', 'intersection', 'jarvis', 'maitland', 'involve', 'silver', 'honda', 'civic', 'plate', 'removed}.']
Original Request: A copy of records showing all road accidents involving a pedestrian; broken down to seperate pedestrian/motor vehicle and pedestrian/cyclist categories. Records for the past 5 years.
Tokens prepared for LDA: ['record', 'accident', 'involve', 'pedestrian', 'break', 'seperate', 'pedestrian', 'motor', 'vehicle', 'pedestrian', 'cyclist', 'category', 'record']
Original Request: Any and all reports, orders relating to {} from Public Health, ML&S and Fire Prevention from May 2010 to present.
Tokens prepared for LDA: ['report', 'order', 'relate', 'public', 'health', 'prevention', 'present']
Original Request: A copy of any inspection records and orders or notices of violations for {} from MLS and Toronto Fire. Records from September 1, 2012 to present.
Tokens prepared for LDA: ['inspection', 'record', 'order', 'notice', 'violation', 'toronto', 'record', 'september', 'present']
Original Request: A copy of Public Health's food safety inspections, complaint records, service reports and lawyers letters with respect to hot dog carts from July 1, 2012 to July 1, 2013.
Tokens prepared for LDA: ['public', 'health', 'safety', 'inspection', 'complaint', 'record', 'service', 'report', 'lawyer', 'letter', 'respect']
Original Request: A copy of the report for {} regarding mould on the windows. The inspection occurred between February and May 2008.
Tokens prepared for LDA: ['report', 'regard', 'mould', 'window', 'inspection', 'occur', 'february']
Original Request: A copy of the report for {} regarding mould on the windows. The inspection occurred between February and May 2008.
Tokens prepared for LDA: ['report', 'regard', 'mould', 'window', 'inspection', 'occur', 'february']
Original Request: A copy of the Animal Service file related to an injury caused by a Dalmation dog on June 23, 2013 on Algonquin Island. The incident occurred on June 23, 2013.
Tokens prepared for LDA: ['animal', 'service', 'relate', 'injury', 'cause', 'dalmation', 'algonquin', 'island', 'incident', 'occur']
Original Request: A copy of the complete test results for {company's } product bearing a label with {product }. The product was tested for contaminants on October 7, 2013 by a health inspector.
Tokens prepared for LDA: ['complete', 'result', 'company', 'product', 'label', 'product', 'product', 'contaminant', 'october', 'health', 'inspector']
Original Request: A copy of the complete test results for {company's } product bearing a label with {product }. The product was tested for contaminants on October 7, 2013 by a health inspector.
Tokens prepared for LDA: ['complete', 'result', 'company', 'product', 'label', 'product', 'product', 'contaminant', 'october', 'health', 'inspector']
Original Request: A copy of the complete test results for {company's } product bearing a label with {product }. The product was tested for contaminants on October 7, 2013 by a health inspector.
Tokens prepared for LDA: ['complete', 'result', 'company', 'product', 'label', 'product', 'product', 'contaminant', 'october', 'health', 'inspector']
Original Request: A copy of the Taxicab Fitness Report and Vehicle Inspection Report for taxicab no. 1164. Records from January 1, 2011 to January 31, 2012.
Tokens prepared for LDA: ['taxicab', 'fitness', 'report', 'vehicle', 'inspection', 'report', 'taxicab', 'record', 'january', 'january']
Original Request: A dataset of all municipal parking tickets issued in 2012, including location, ID or employee/officer issuing ticket, offence, standard fine, date and time.
Tokens prepared for LDA: ['dataset', 'municipal', 'ticket', 'issue', 'include', 'location', 'employee', 'officer', 'issue', 'ticket', 'offence', 'standard']
Original Request: A copy of post-flood City inspection reports for {} for visits/inspections done from July 8, 2013 to July 20, 2013. Also Toronto Water lead pipe replacement records for this property from Jan. 1, 1993 to present.
Tokens prepared for LDA: ['flood', 'inspection', 'report', 'visit', 'inspection', 'toronto', 'water', 'replacement', 'record', 'property', 'january', 'present']
Original Request: A copy of the building report related to landscape grading issues at {}. Records from October 1 to 31, 2013.
Tokens prepared for LDA: ['build', 'report', 'relate', 'landscape', 'grade', 'issue', 'record', 'october']
Original Request: A copy of all final outbreak summary reports for enteric outbreaks linked to deaths between 2010 and present.
Tokens prepared for LDA: ['final', 'outbreak', 'summary', 'report', 'enteric', 'outbreak', 'death', 'present']
Original Request: A copy of all records, including plans, reports, briefing notes, meeting notes, legal advice and communication records (including e-mails, etc.) regarding the termination of three Toronto Fire Fighters in September 2013.
Tokens prepared for LDA: ['record', 'include', 'report', 'brief', 'legal', 'advice', 'communication', 'record', 'include', 'regard', 'termination', 'toronto', 'fighter', 'september']
Original Request: A copy of the inspection records from Public Health regarding {}. File No. 115373. Records from October 2013.
Tokens prepared for LDA: ['inspection', 'record', 'public', 'health', 'regard', '115373', 'record', 'october']
Original Request: A copy of all building documents for {}. Records from January 1, 2013 to present.
Tokens prepared for LDA: ['build', 'document', 'record', 'january', 'present']
Original Request: A copy of records related to the ML&S notice of violation folder no.'s 13 184253 ZON 00IV and 13 200658 LGW 00IV for {}, including the complaint records. Records from June 1 to July 30, 2013.
Tokens prepared for LDA: ['record', 'relate', 'notice', 'violation', 'folder', '184253', '200658', 'include', 'complaint', 'record', 'record']
Original Request: A copy of all building files for {} from 1970 to present.
Tokens prepared for LDA: ['build', 'present']
Original Request: A copy of notice sent on Oct. 1, 2013 for zoning review; notice sent on Sept. 18, 2013 for code review; copy of deficiency sent on Sept. 18, 2013 for fire review and any correspondence from the Corporation to the City from Aug. 19, 2013 to present.
Tokens prepared for LDA: ['notice', 'october', 'review', 'notice', 'september', 'review', 'deficiency', 'september', 'review', 'correspondence', 'corporation', 'august', 'present']
Original Request: A copy of the fire inspection records for {}. Records from January 1 to October 11, 2013.
Tokens prepared for LDA: ['inspection', 'record', 'record', 'january', 'october']
Original Request: A copy of all permit drawings and applications, inspection records, by-law inspection notes and infraction records pertaining to {}.
Tokens prepared for LDA: ['permit', 'drawing', 'application', 'inspection', 'record', 'inspection', 'infraction', 'record', 'pertain']
Original Request: A copy of all building permits or zone changes for {} from January 1, 2008 to present.
Tokens prepared for LDA: ['build', 'permit', 'change', 'january', 'present']
Original Request: A copy of the files and inspection records related to the following file numbers for {}. File No.'s 06-140866BLD, 06-147649HVA, and 06-147649BLD.
Tokens prepared for LDA: ['inspection', 'record', 'relate', 'follow', 'number', '140866bld', '147649hva', '147649bld']
Original Request: A copy of the permit information for any condos or building located at the rear of {}. Records from November 1 to 9, 2012.
Tokens prepared for LDA: ['permit', 'information', 'condo', 'build', 'locate', 'record', 'november']
Original Request: A copy of the MLS pictures and notes regarding {}, Scarborough as well as any complaint records and ground contamination reports. Records from January 1, 2012 to October 1, 2013.
Tokens prepared for LDA: ['picture', 'regard', 'scarborough', 'complaint', 'record', 'grind', 'contamination', 'report', 'record', 'january', 'october']
Original Request: A copy of the encroachment agreement for {} from 2001. File No. 01-128262CMB.
Tokens prepared for LDA: ['encroachment', 'agreement', '128262cmb']
Original Request: A copy of service records for the water mains for {} from 2001 to present, including, but not limited to report, photographs, documents and videotapes.
Tokens prepared for LDA: ['service', 'record', 'water', 'present', 'include', 'limit', 'report', 'photograph', 'document', 'videotape']
Original Request: A copy of site supervisor's notes, from July 19, 2011 to July 19, 2012, for the installation of a fire hydrant at {} when Bell Canada's 100pr buried cable was damaged on July 19, 2012.
Tokens prepared for LDA: ['supervisor', 'installation', 'hydrant', 'canada', '100pr', 'cable', 'damage']
Original Request: A copy of site supervisor's notes, from July 23 to July 24, 2012, for the repair to a watermain at {} when Bell Canada's 50pr buried cable was damaged on July 24, 2012.
Tokens prepared for LDA: ['supervisor', 'repair', 'watermain', 'canada', 'cable', 'damage']
Original Request: A copy of building records related to {}, specifically the applications for file no.'s 04 200534 PSA00PS and 02 145458 HVA00MS and the order to comply file no. 12 129542OTC00VI.
Tokens prepared for LDA: ['build', 'record', 'relate', 'specifically', 'application', '200534', 'psa00ps', '145458', 'hva00ms', 'order', 'comply', '129542otc00vi']
Original Request: A copy of information related to {} regarding the registration of the existing house as a legal triplex.
Tokens prepared for LDA: ['information', 'relate', 'regard', 'registration', 'exist', 'house', 'legal', 'triplex']
Original Request: A copy of the sign permit history for {}. Also information regarding the permit for existing third party billboard permit.
Tokens prepared for LDA: ['permit', 'history', 'information', 'regard', 'permit', 'exist', 'party', 'billboard', 'permit']
Original Request: A copy of the record of registered easement for {} neighboured with {} and {}. The building permit is from March 17, 1994. Record search from Jan. 1, 1993 to Jan. 1, 1996.
Tokens prepared for LDA: ['record', 'register', 'easement', 'neighbour', 'build', 'permit', 'march', 'record', 'search', 'january', 'january']
Original Request: A copy of sewer back up records from {} from September 28, 2013, including the full remediation report reference no. 2321881 and H738800. Records from September 28, 2013 to present.
Tokens prepared for LDA: ['sewer', 'record', 'september', 'include', 'remediation', 'report', 'reference', '2321881', 'h738800', 'record', 'september', 'present']
Original Request: A copy of all text messages and BBM messages sent or received using any electronic device issued to, or used by, the Mayor of Toronto, from May 1, 2013 to Nov. 5, 2013.
Tokens prepared for LDA: ['message', 'message', 'receive', 'electronic', 'device', 'issue', 'mayor', 'toronto', 'november']
Original Request: A copy of all information regarding MLS complaints about {} since 2009, from Jan. 1, 2009 to Oct. 31, 2013.
Tokens prepared for LDA: ['information', 'regard', 'complaint', 'january', 'october']
Original Request: A copy of all building documents available pertaining to {}.
Tokens prepared for LDA: ['build', 'document', 'available', 'pertain']
Original Request: A copy of information pertaining to a complaint about {individual's name} or {}, Scarborough. A fire inspection was completed on October 21, 2013 regarding a basement apartment.
Tokens prepared for LDA: ['information', 'pertain', 'complaint', 'individual', 'scarborough', 'inspection', 'complete', 'october', 'regard', 'basement', 'apartment']
Original Request: A copy of all records, information and documents relating to the issuance, transfer or revision of adult entertainment licenses for {establishment's } at {} owned by {organization's }. Records from Jan. 1, 2009 to Oct. 31, 2013
Tokens prepared for LDA: ['record', 'information', 'document', 'relate', 'issuance', 'transfer', 'revision', 'adult', 'entertainment', 'license', 'establishment', 'organization', 'record', 'january', 'october']
Original Request: Information on the Taxi cab Review Team including notes, reports, recommendations etc.
Tokens prepared for LDA: ['information', 'review', 'include', 'report', 'recommendation']
Original Request: Copies of all security camera video files from cameras in or near the Mayor's Office taken between 10.30 pm on Feb. 17, 2012 and 5.00 am on Feb. 18, 2012
Tokens prepared for LDA: ['copy', 'security', 'camera', 'video', 'camera', 'mayor', 'office', '10.30', 'february', 'february']
Original Request: A copy of any permits and outstanding work orders for {} which is a TCHC building, from Nov. 1, 2012 to Nov. 3, 2013.
Tokens prepared for LDA: ['permit', 'outstanding', 'order', 'build', 'november', 'november']
Original Request: All copies on video and documents from Animal Services file # A13-008464/16266 and Public Health records under file # 13-3962. The dog bite incident occurred on April 24, 2013. Also records on the occurrence on Aug. 6, 2013.
Tokens prepared for LDA: ['video', 'document', 'animal', 'services', '008464/16266', 'public', 'health', 'record', 'incident', 'occur', 'april', 'record', 'occurrence', 'august']
Original Request: A copy of all records, information and documents relating to the issuance, transfer or revision of adult entertainment licenses for {establishment's } at {} owned by {organization's }. Records from Jan. 1, 2009 to Oct. 31, 2013
Tokens prepared for LDA: ['record', 'information', 'document', 'relate', 'issuance', 'transfer', 'revision', 'adult', 'entertainment', 'license', 'establishment', 'organization', 'record', 'january', 'october']
Original Request: A copy of any investigation records from April to July 2013 regarding a cockroach infestation at {}, Scarborough.
Tokens prepared for LDA: ['investigation', 'record', 'april', 'regard', 'cockroach', 'infestation', 'scarborough']
Original Request: All property inspections on fence, gate, structures, locks, landscape, pool, complaint records from 1996 to 2013 for {}, and all Public Health inspections and complaint records from 2010 to 2013.
Tokens prepared for LDA: ['property', 'inspection', 'fence', 'structure', 'landscape', 'complaint', 'record', 'public', 'health', 'inspection', 'complaint', 'record']
Original Request: A copy of the building permit information for {}, specifically documentation which verifies that permits were issued for four (4) additional dwelling units within the existing apartment building, from 2002 to 2013
Tokens prepared for LDA: ['build', 'permit', 'information', 'specifically', 'documentation', 'verify', 'permit', 'issue', 'additional', 'dwell', 'exist', 'apartment', 'build']
Original Request: A copy of all building permit records, inspection notes, orders and violation records related to the building department for {}. Records from January 1, 2001 to July 1, 2013. Also ML&S and fire inspection record.
Tokens prepared for LDA: ['build', 'permit', 'record', 'inspection', 'order', 'violation', 'record', 'relate', 'build', 'department', 'record', 'january', 'inspection', 'record']
Original Request: A copy of the occupancy permit or record showing that {} was occupied in 1997. Records may be in building permit no. 97-084703.
Tokens prepared for LDA: ['occupancy', 'permit', 'record', 'occupy', 'record', 'build', 'permit', '084703']
Original Request: A copy of the sales agreement related to the following taxi licenses for 1271470 Ontario Inc. {}: 155, 770, 2538, and 1637 and for 1426820 Ontario Ltd. {}: 2082 and 2424.
Tokens prepared for LDA: ['agreement', 'relate', 'follow', 'license', '1271470', 'ontario', '1426820', 'ontario']
Original Request: A copy of any and all records, documents, e-mails, notes, pictures, plans, etc. regarding the building of a new house at {} from January 1, 2011 to present.
Tokens prepared for LDA: ['record', 'document', 'picture', 'regard', 'build', 'house', 'january', 'present']
Original Request: Copy of final tree protection plan from PFR for the white oak tree located at {}, and coyp of all documents pertaining to tree including value of tree and any deposits taken from 2012 to 2013.
Tokens prepared for LDA: ['final', 'protection', 'white', 'locate', 'document', 'pertain', 'include', 'value', 'deposit']
Original Request: Any and all documents or other records relating to ML&S' past and current investigations, opened in the last two years, on vermin and/or pests at {}, including, but not limited to the four investigations.
Tokens prepared for LDA: ['document', 'record', 'relate', 'current', 'investigation', 'vermin', 'and/or', 'include', 'limit', 'investigation']
Original Request: Any and all documents or other records relating to ML&S' past and current investigations, opened in the last two years, on discontinued or reduced heat in any units of the building at {}, and parking garage issues.
Tokens prepared for LDA: ['document', 'record', 'relate', 'current', 'investigation', 'discontinue', 'reduce', 'build', 'garage', 'issue']
Original Request: Any and all documents or other records relating to ML&S' past and current investigations, opened in the last two years, on discontinued or reduced heat in any units of the building at {}, and parking garage issues.
Tokens prepared for LDA: ['document', 'record', 'relate', 'current', 'investigation', 'discontinue', 'reduce', 'build', 'garage', 'issue']
Original Request: A copy of the application of variance and licence to operate a kareoke business at {}.
Tokens prepared for LDA: ['application', 'variance', 'licence', 'operate', 'kareoke', 'business']
Original Request: A copy of any documentation or communication records regarding {} from October 1, 2013 to present. Records from MLS, Toronto Public Health, and Toronto Water.
Tokens prepared for LDA: ['documentation', 'communication', 'record', 'regard', 'october', 'present', 'record', 'toronto', 'public', 'health', 'toronto', 'water']
Original Request: A copy of any building permits issued for {} from 1990 to 2013.
Tokens prepared for LDA: ['build', 'permit', 'issue']
Original Request: A copy of the building file no. B33266 regarding {}.
Tokens prepared for LDA: ['build', 'b33266', 'regard']
Original Request: A copy of any service records for the sewer system at {}, North York, from 2001 to present, including but not limited to reports, photographs, documents, and videotapes.
Tokens prepared for LDA: ['service', 'record', 'sewer', 'north', 'present', 'include', 'limit', 'report', 'photograph', 'document', 'videotape']
Original Request: A copy of any signage permit and building permits associated with {}, including file no.'s 233484 and 268727.
Tokens prepared for LDA: ['signage', 'permit', 'build', 'permit', 'associate', 'include', '233484', '268727']
Original Request: A copy of all available property records for {}.
Tokens prepared for LDA: ['available', 'property', 'record']
Original Request: A copy of all available property records for {}.
Tokens prepared for LDA: ['available', 'property', 'record']
Original Request: A copy of the MLS report for {} from 2011.
Tokens prepared for LDA: ['report']
Original Request: Records on complaints filed by occupant of {} relating to renovation done at {} causing water damage to {} during rain storm in July 2013.
Tokens prepared for LDA: ['record', 'complaint', 'occupant', 'relate', 'renovation', 'cause', 'water', 'damage', 'storm']
Original Request: A copy of the permits, building permit applications, approvals, and property information for {}. Records from 1995 to present.
Tokens prepared for LDA: ['permit', 'build', 'permit', 'application', 'approval', 'property', 'information', 'record', 'present']
Original Request: Any e-mail correspondence between Earl Provost and Sunny Petrujkic, Sheila Paxton, Amin Massoudi, Thomas Beyer, David Price, Jacqueline Czajka relating to Chief Bill Blair's October 31st news conference. Records from Oct. 31 and Nov. 9, 2013
Tokens prepared for LDA: ['correspondence', 'provost', 'sunny', 'petrujkic', 'sheila', 'paxton', 'massoudi', 'thomas', 'beyer', 'david', 'price', 'jacqueline', 'czajka', 'relate', 'chief', 'blair', 'october', 'conference', 'record', 'october', 'november']
Original Request: A copy of any e-mail correspondence between Joe Pennachetti and the Director of Executive Management, Human Resources, Strategic Communications and Deputy Managers relating to Chief Bill Blair's October 31st news conference about Mayor Rob Ford.
Tokens prepared for LDA: ['correspondence', 'pennachetti', 'director', 'executive', 'management', 'human', 'resource', 'strategic', 'communications', 'deputy', 'manager', 'relate', 'chief', 'blair', 'october', 'conference', 'mayor']
Original Request: A copy of all Purchase & Sale documents and any agreements relating to the sale of Arlington Senior Public School at 501 Arlington Avenue to Leo Baeck Day School, including any documents related to the use of land and amenities in Cedarvale Park.
Tokens prepared for LDA: ['purchase', 'document', 'agreement', 'relate', 'arlington', 'senior', 'public', 'school', 'arlington', 'avenue', 'baeck', 'school', 'include', 'document', 'relate', 'amenity', 'cedarvale']
Original Request: A copy of building permit for separate entrance to the basement apartment for {}. The permit numbers are 02 185881 and 03 132508.
Tokens prepared for LDA: ['build', 'permit', 'separate', 'entrance', 'basement', 'apartment', 'permit', 'number', '185881', '132508']
Original Request: A copy of the file relating to the permit application given for work done on {}, including work orders, deficiencies, and inspection reports from 2011 to present.
Tokens prepared for LDA: ['relate', 'permit', 'application', 'include', 'order', 'deficiency', 'inspection', 'report', 'present']
Original Request: A copy of the complaint records regarding complaint file no. A-13-026424 on November 9, 2013.
Tokens prepared for LDA: ['complaint', 'record', 'regard', 'complaint', '026424', 'november']
Original Request: All records, permits, zoning officer report, inspectors' reports for {}. The requester needed to know what the property is zoned for.
Tokens prepared for LDA: ['record', 'permit', 'officer', 'report', 'inspector', 'report', 'requester', 'property']
Original Request: Any document or record in file no. A0576/07 TEY and OMB Case No. PL070945/OMB File No. V070461, including any record involving or relating to communications between {} and any of the listed people.
Tokens prepared for LDA: ['document', 'record', 'a0576/07', 'pl070945', 'v070461', 'include', 'record', 'involve', 'relate', 'communication', 'people']
Original Request: A copy of the building documents related to permits for {}, including inspection records from 1988 to 2012.
Tokens prepared for LDA: ['build', 'document', 'relate', 'permit', 'include', 'inspection', 'record']
Original Request: A copy of information regarding building inspection notes pertaining to all building permits taken out on work done on {} from 1980 to 2011.
Tokens prepared for LDA: ['information', 'regard', 'build', 'inspection', 'pertain', 'build', 'permit']
Original Request: Work order information or permits done on a mutual driveway. One foot of the driveway was removed and replaced with tar without owner's knowledge at {}, from Sept. 1, 2013 to Oct. 31, 2013.
Tokens prepared for LDA: ['order', 'information', 'permit', 'mutual', 'driveway', 'driveway', 'remove', 'replace', 'owner', 'knowledge', 'september', 'october']
Original Request: A copy of all documents, reports and enforcement or compliance records related to the fence issues between {} and {}. File No.'s: 2225584 and 2334421.
Tokens prepared for LDA: ['document', 'report', 'enforcement', 'compliance', 'record', 'relate', 'fence', 'issue', '2225584', '2334421']
Original Request: A copy of the file for {individual's } at {} including any and all Dine Safe inspection reports, interviews, interview notes, reports, letters, findings, test procedures and results. Records from Jan. 1, 2013 to present.
Tokens prepared for LDA: ['individual', 'include', 'inspection', 'report', 'interview', 'interview', 'report', 'letter', 'finding', 'procedure', 'result', 'record', 'january', 'present']
Original Request: A copy of the complete file for the CNE food vendor Epic Burgers and Waffles, including any and all Dine Safe inspection reports, interviews, interview notes, other reports, letters, findings, test procedures and results from Aug. 1, 2013 to present.
Tokens prepared for LDA: ['complete', 'vendor', 'burger', 'waffle', 'include', 'inspection', 'report', 'interview', 'interview', 'report', 'letter', 'finding', 'procedure', 'result', 'august', 'present']
Original Request: A copy of the Committee of Adjustment approval of conversion to live and work in units at {} or {}. Also any advanced statements of undertakings. Records from January 1, 2003 to January 1, 2013.
Tokens prepared for LDA: ['committee', 'adjustment', 'approval', 'conversion', 'advance', 'statement', 'undertaking', 'record', 'january', 'january']
Original Request: A copy of the work order from Public Health, including the test results from mole testing at {}. Records from July 16, 2013 to November 10, 2013.
Tokens prepared for LDA: ['order', 'public', 'health', 'include', 'result', 'record', 'november']
Original Request: A copy of any and all building permits, applications for building permits, applications to the Committee of Adjustment, decisions of the Committee of Adjustment and correspondence related to the above in connection with {}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'permit', 'application', 'committee', 'adjustment', 'decision', 'committee', 'adjustment', 'correspondence', 'relate', 'connection']
Original Request: A copy of any and all building permits, applications for building permits, applications to the Committee of Adjustment, decisions of the Committee of Adjustment and correspondence related to the above in connection with {}.
Tokens prepared for LDA: ['build', 'permit', 'application', 'build', 'permit', 'application', 'committee', 'adjustment', 'decision', 'committee', 'adjustment', 'correspondence', 'relate', 'connection']
Original Request: A copy of ML&S inspection report under file no. 13 205951PRS 00 IV relating to water leaking from the rooftop, and also the inspection report carried out by {company's } plus the rooftop repair carried out by {company's }.
Tokens prepared for LDA: ['inspection', 'report', '205951prs', 'relate', 'water', 'rooftop', 'inspection', 'report', 'carry', 'company', 'rooftop', 'repair', 'carry', 'company']
Original Request: All ML&S reports for {} from June 30, 2006 to present, including the investigation done on Nov. 15, 2013 by Gino Guarnieri.
Tokens prepared for LDA: ['report', 'present', 'include', 'investigation', 'november', 'guarnieri']
Original Request: All records of building permits for {}. The search should go as far back as possible.
Tokens prepared for LDA: ['record', 'build', 'permit', 'search', 'possible']
Original Request: All records of building permits for {}. The search should go as far back as possible.
Tokens prepared for LDA: ['record', 'build', 'permit', 'search', 'possible']
Original Request: Records on curb removal and posts installed between {}, as well as the post behind {} alleyway. When was this done and why?
Tokens prepared for LDA: ['record', 'removal', 'install', 'alleyway']
Original Request: All building permits, inspector's nots and accompanying documents for {}.
Tokens prepared for LDA: ['build', 'permit', 'inspector', 'accompany', 'document']
Original Request: Copies of all written communications for the last two years prepared by Building (Scarborough) relating to any preliminary project review (PPR), zoning certificate, or Preliminary Review-Use only (PPRU) for Pine Hills Cemetery.
Tokens prepared for LDA: ['copy', 'write', 'communication', 'prepare', 'building', 'scarborough', 'relate', 'preliminary', 'project', 'review', 'certificate', 'preliminary', 'review', 'hill', 'cemetery']
Original Request: Copies of all written communications for the last two years prepared by Building (Scarborough) relating to any preliminary project review (PPR), zoning certificate, or Preliminary Review-Use only (PPRU) for {} , from Nov. 1, 2011 to Nov. 1
Tokens prepared for LDA: ['copy', 'write', 'communication', 'prepare', 'building', 'scarborough', 'relate', 'preliminary', 'project', 'review', 'certificate', 'preliminary', 'review', 'november', 'november']
Original Request: A copy of demolition permit issued for {}, including any particular notes and/or conditions that are applicable with this demo permit, from Jan. 2011 to present.
Tokens prepared for LDA: ['demolition', 'permit', 'issue', 'include', 'particular', 'and/or', 'condition', 'applicable', 'permit', 'january', 'present']
Original Request: A copy of Ernst & Young housing partnership market sounding (2013) as commissioned by the Affordable Housing Office.
Tokens prepared for LDA: ['ernst', 'young', 'house', 'partnership', 'market', 'sound', 'commission', 'affordable', 'housing', 'office']
Original Request: A copy of Public Health inspector report for {}, North York. The inspection was done by Ian Rampersaud.
Tokens prepared for LDA: ['public', 'health', 'inspector', 'report', 'north', 'inspection', 'rampersaud']
Original Request: A copy of all records pertaining to by-law enforcement and the subsequent events, including building permits, application, refusal, revision from Building, zoning and City Planning for {} from Nov. 2012 to Nov. 2013.
Tokens prepared for LDA: ['record', 'pertain', 'enforcement', 'subsequent', 'event', 'include', 'build', 'permit', 'application', 'refusal', 'revision', 'building', 'planning', 'november', 'november']
Original Request: A copy of all historical applications for demolition and building, including associated plans, submitted for {}, and all communication evidencing the City's approval or refusal of such applications pursuant to the Building Code Act .
Tokens prepared for LDA: ['historical', 'application', 'demolition', 'build', 'include', 'associate', 'submit', 'communication', 'evidence', 'approval', 'refusal', 'application', 'pursuant', 'building']
Original Request: A copy of written report # 742712 regarding drain clear running to the main sewer (City part) performed on Oct. 25, 2013. The reference number is 2358653.
Tokens prepared for LDA: ['write', 'report', '742712', 'regard', 'drain', 'clear', 'sewer', 'perform', 'october', 'reference', '2358653']
Original Request: A copy of animal control activity complaint file # A13-026236.
Tokens prepared for LDA: ['animal', 'control', 'activity', 'complaint', '026236']
Original Request: Anything related to {} and {} from ML&S from June 2008 to present.
Tokens prepared for LDA: ['relate', 'present']
Original Request: A copy of building inspectors' notes for {}. The file no. is 06-166825.
Tokens prepared for LDA: ['build', 'inspector', '166825']
Original Request: A copy of inspection reports from Building, ML&S, Fire Services and Public Health for {} from Nov. 1, 2013 to present. The ML&S file numbers are 2374047, 2370967, 2367258.
Tokens prepared for LDA: ['inspection', 'report', 'building', 'services', 'public', 'health', 'november', 'present', 'number', '2374047', '2370967', '2367258']
Original Request: All attachments related to application for a permit to construct or demolish relating to permit # 12 109801 BLD 00SR for {}.
Tokens prepared for LDA: ['attachment', 'relate', 'application', 'permit', 'construct', 'demolish', 'relate', 'permit', '109801']
Original Request: A copy of report / complaint submitted to Hostels Services relating to {employee's } who was claimed to be sleeping while on duty at the St. Simon's Shelter at 525 Bloor St. East.
Tokens prepared for LDA: ['report', 'complaint', 'submit', 'hostel', 'services', 'relate', 'employee', 'claim', 'sleep', 'simon', 'shelter', 'bloor']
Original Request: A copy of all construction permits and applications related to the {Academy } located at {} for the past 25 years.
Tokens prepared for LDA: ['construction', 'permit', 'application', 'relate', 'academy', 'locate']
Original Request: A complete copy of ML&S investigation file relating to the incident that occurred on Oct. 4, 2013 at {.} concerning {individual's }. Also required a copy of any other incidents regarding {}.
Tokens prepared for LDA: ['complete', 'investigation', 'relate', 'incident', 'occur', 'october', 'concern', 'individual', 'require', 'incident', 'regard']
Original Request: A copy of file # 5469834 from Transportation Services relating to traffic lights investigation findings for the malfunctioning lights that were scheduled for repair by a contractor at Markham Rd. and Commander Blvd.
Tokens prepared for LDA: ['5469834', 'transportation', 'services', 'relate', 'traffic', 'light', 'investigation', 'finding', 'malfunction', 'light', 'schedule', 'repair', 'contractor', 'markham', 'commander']
Original Request: A copy of public health inspection report for {} relating to black molds on the bathroom ceiling and the ventilation system in the bathroom wasn't working.
Tokens prepared for LDA: ['public', 'health', 'inspection', 'report', 'relate', 'black', 'bathroom', 'ventilation', 'bathroom']
Original Request: Archival records for Housing Authority.
Tokens prepared for LDA: ['archival', 'record', 'housing', 'authority']
Original Request: All building plans and documents regarding the building permit applications for # 12-199539 and 11-299304 for {}
Tokens prepared for LDA: ['build', 'document', 'regard', 'build', 'permit', 'application', '199539', '299304']
Original Request: A copy of health inspection report for {} relating to a complaint of mold issue. The inspection was done in Aug. 2013 under file # 114857.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'relate', 'complaint', 'issue', 'inspection', 'august', '114857']
Original Request: A copy of ML&S records for {} from Dec. 1, 2012 to Jan. 20, 2013.
Tokens prepared for LDA: ['record', 'december', 'january']
Original Request: A copy of a follow up summary report, generated from the Ontario Bridge Management System records for the City, which summarizes the follow-up work recommended for each of the bridges maintained by the City.
Tokens prepared for LDA: ['follow', 'summary', 'report', 'generate', 'ontario', 'bridge', 'management', 'record', 'summarize', 'follow', 'recommend', 'bridge', 'maintain']
Original Request: A file containing all orders or correct deficiencies made by municipal officials overseeing property standards, in 2012 and 2013 to date, including the address, date of order, deficiency(ies) and the date by which deficiencies were to be corrected.
Tokens prepared for LDA: ['contain', 'order', 'correct', 'deficiency', 'municipal', 'official', 'oversee', 'property', 'standard', 'include', 'address', 'order', 'deficiency(ies', 'deficiency', 'correct']
Original Request: A records showing the name of the Beck Taxi Driver, vehicle plate number, driver's licence number, mailing address, and insurance company that insures the unidentified driver for taxi cab no. 1325 involved in an accident on April 16, 2013.
Tokens prepared for LDA: ['record', 'driver', 'vehicle', 'plate', 'driver', 'licence', 'address', 'insurance', 'company', 'insure', 'unidentified', 'driver', 'involve', 'accident', 'april']
Original Request: A copy of the archival records for box P002976 pertaining to the property file for {}.
Tokens prepared for LDA: ['archival', 'record', 'p002976', 'pertain', 'property']
Original Request: A copy of fire inspection reports and by-law inspection reports for {} from August 2013 to current.
Tokens prepared for LDA: ['inspection', 'report', 'inspection', 'report', 'august', 'current']
Original Request: Date the original building permit was issued for {} in Etobicoke.
Tokens prepared for LDA: ['original', 'build', 'permit', 'issue', 'etobicoke']
Original Request: A copy of ML&S report written by Elena Sangiuliano on Sept. 25, 2012 for {}, Scarborough.
Tokens prepared for LDA: ['report', 'write', 'elena', 'sangiuliano', 'september', 'scarborough']
Original Request: A copy of report for {} Scarborough to determine if the property was used as marijuana growing operation house.
Tokens prepared for LDA: ['report', 'scarborough', 'determine', 'property', 'marijuana', 'operation', 'house']
Original Request: A copy of the complaint records submitted to Public Health in October regarding the ceiling tiles at {} and {} as well as all additional records related to the complaint file.
Tokens prepared for LDA: ['complaint', 'record', 'submit', 'public', 'health', 'october', 'regard', 'additional', 'record', 'relate', 'complaint']
Original Request: A copy of the final building inspection report for {}. File No. 13 194528 BLD00SR.
Tokens prepared for LDA: ['final', 'build', 'inspection', 'report', '194528', 'bld00sr']
Original Request: A copy of the building inspection notes for {} from January 2012 to present.
Tokens prepared for LDA: ['build', 'inspection', 'january', 'present']
Original Request: A copy of the investigation records related to a Toronto Building employee.
Tokens prepared for LDA: ['investigation', 'record', 'relate', 'toronto', 'building', 'employee']
Original Request: A copy of the MLS & fire inspection report with photos from Nov. 1, 2013; a copy of the investigation report; a copy of the Notice of Violation dated Nov. 15, 2013 about illegal rooming house at {}, from Nov. 1 to Nov. 27, 2013.
Tokens prepared for LDA: ['inspection', 'report', 'photo', 'november', 'investigation', 'report', 'notice', 'violation', 'november', 'illegal', 'house', 'november', 'november']
Original Request: A copy of all records related to a flood at {}, including an inspection report from spring 2008 by MLS.
Tokens prepared for LDA: ['record', 'relate', 'flood', 'include', 'inspection', 'report', 'spring']
Original Request: A copy of records pertaining to parking agreement between {} and City of Toronto.
Tokens prepared for LDA: ['record', 'pertain', 'agreement', 'toronto']
Original Request: A copy of demolition report between January 1, 2008 - December 31, 2010 for Residence College Hotel.
Tokens prepared for LDA: ['demolition', 'report', 'january', 'december', 'residence', 'college', 'hotel']
Original Request: A copy of confidential joint report from the Commissioner of Urban Development dated April 2, 2004, pertaining to official plan settlements considered at City Hall Council on May 18-20, 2004.
Tokens prepared for LDA: ['confidential', 'joint', 'report', 'commissioner', 'urban', 'development', 'april', 'pertain', 'official', 'settlement', 'consider', 'council']
Original Request: A copy of records showing residential properties currently assessed for taxation at $1 million dollars or more, including addresses and assessed value of properties.
Tokens prepared for LDA: ['record', 'residential', 'property', 'currently', 'ass', 'taxation', 'million', 'dollar', 'include', 'address', 'ass', 'value', 'property']
Original Request: Access to electronic records (delimited text, Excel, json, xml etc, but not pdf or image format) of all civic employees including full name, position and salary classification, as of the time this request is executed.
Tokens prepared for LDA: ['access', 'electronic', 'record', 'delimit', 'excel', 'image', 'format', 'civic', 'employee', 'include', 'position', 'salary', 'classification', 'request', 'execute']
Original Request: A copy of all permit applications approved, rejected and pending for {} within the period January 1, 1970 to November 15, 2013.
Tokens prepared for LDA: ['permit', 'application', 'approve', 'reject', 'period', 'january', 'november']
Original Request: A copy of folder: 13 242859 PRS 00IV for {} from Sept. 30, 2013 to Nov. 30, 2013. Legal Description Plan 1638 {}.
Tokens prepared for LDA: ['folder', '242859', 'september', 'november', 'legal', 'description']
Original Request: A copy of TFS communications report, a report prepared for Ontario Fire Marshal's Office, statements by firefighters, fire prevention inspection reports for {}, including photographs taken. The incident occurred on Dec. 6, 2011.
Tokens prepared for LDA: ['communication', 'report', 'report', 'prepare', 'ontario', 'marshal', 'office', 'statement', 'firefighter', 'prevention', 'inspection', 'report', 'include', 'photograph', 'incident', 'occur', 'december']
Original Request: A copy of building file for {} for the period from 2006 to 2007. 06 1976122 BLD 00 SR HVAC PLB 07 1141389 BLD 00 SR
Tokens prepared for LDA: ['build', 'period', '1976122', '1141389']
Original Request: A copy of the incident report related to a slip and fall at Union Station, Bay Street, south of Front Street, on October 16, 2013. The incident involved {individual's }.
Tokens prepared for LDA: ['incident', 'report', 'relate', 'union', 'station', 'street', 'south', 'street', 'october', 'incident', 'involve', 'individual']
Original Request: A copy of all building permits ever issued to {}.
Tokens prepared for LDA: ['build', 'permit', 'issue']
Original Request: A copy of all building records and correspondence on file related to {}.
Tokens prepared for LDA: ['build', 'record', 'correspondence', 'relate']
Original Request: A complete list including the names and license numbers of Toronto taxi drivers, who had complaints made against them dating from May 1, 2013 to December 1, 2013. Records should include the driver name or license number, type of complaint.
Tokens prepared for LDA: ['complete', 'include', 'license', 'number', 'toronto', 'driver', 'complaint', 'december', 'record', 'include', 'driver', 'license', 'complaint']
Original Request: A copy of health inspection report conducted on October 7, 2013, case # 2334417.
Tokens prepared for LDA: ['health', 'inspection', 'report', 'conduct', 'october', '2334417']
from gensim import corpora
dictionary = corpora.Dictionary(text_data)
corpus = [dictionary.doc2bow(text) for text in text_data]
import pickle
#pickle.dump(corpus, open('../colab/models/corpus.pkl', 'wb'))
#dictionary.save('../colab/models/dictionary.gensim')
import gensim
NUM_TOPICS = 5
ldamodel = gensim.models.ldamodel.LdaModel(corpus, num_topics = NUM_TOPICS, id2word=dictionary, passes=15)
#ldamodel.save('../colab/models/model5.gensim')
topics = ldamodel.print_topics(num_words=5)
for topic in topics:
print(topic)
print("------------------------------------------------------------------------------------------")
(0, '0.083*"record" + 0.069*"permit" + 0.062*"build" + 0.035*"include" + 0.032*"relate"') ------------------------------------------------------------------------------------------ (1, '0.027*"vehicle" + 0.021*"avenue" + 0.020*"accident" + 0.018*"motor" + 0.014*"intersection"') ------------------------------------------------------------------------------------------ (2, '0.061*"record" + 0.033*"toronto" + 0.026*"include" + 0.024*"relate" + 0.022*"water"') ------------------------------------------------------------------------------------------ (3, '0.033*"property" + 0.031*"street" + 0.028*"record" + 0.027*"respect" + 0.020*"order"') ------------------------------------------------------------------------------------------ (4, '0.128*"report" + 0.120*"specify" + 0.074*"address" + 0.071*"incident" + 0.059*"occur"') ------------------------------------------------------------------------------------------
print(all_df['Decision'].value_counts())
print(len(all_df['Decision'].unique()))
Disclosed in Part: Partially Exempt 6207 All Disclosed 2607 No Responsive Records Exist 547 No Records Exist 395 Disclosed in Part: No Records Exist 329 All disclosed 238 Partly exempted 197 Nothing Disclosed (exemption) 181 Transferred Out in Full 165 Abandoned/Withdrawn by Applicant 139 Withdrawn 116 Nothing Disclosed (excluded) 61 No records exist 54 Information disclosed in part 50 Partly non-existent 32 Nothing disclosed 28 Nothing Disclosed 21 No record exists 21 All Information disclosed 16 Abandoned After Fee Estimate 16 Forwarded out 15 All information disclosed 13 Abandoned 13 No responsive records exist 11 Non-existent 3 Correction refused 3 All disclosed 2 Not Applicable 2 Correction made 2 Transferred to Region of Waterloo Public Health 2 No additional records exist 1 Correction made in part 1 No information disclosed 1 Statement of disagreement filed 1 Correction granted 1 Disclosed in part/ partly exempt 1 Disclosed in Part: Partially Exempt 1 Request withdrawn 1 Deemed Refusal 1 Transferred 1 Name: Decision, dtype: int64 41
fuzz.ratio("this is a test", "this is a test!")
97
fuzz.partial_ratio("this is a test", "this is a test!")
100
print(fuzz.ratio("fuzzy wuzzy was a bear", "wuzzy fuzzy was a bear"))
print(fuzz.token_sort_ratio("fuzzy wuzzy was a bear", "wuzzy fuzzy was a bear"))
91 100
print(fuzz.token_sort_ratio("fuzzy was a bear", "fuzzy fuzzy was a bear"))
print(fuzz.ratio("a bear fuzzy was", "a bear fuzzy was")) # [t0, t1]
print(fuzz.ratio("a bear fuzzy was", "a bear fuzzy was fuzzy")) # [t0, t2]
print(fuzz.ratio("a bear fuzzy was", "a bear fuzzy was fuzzy")) # [t1, t2]
print(fuzz.token_set_ratio("fuzzy was a bear", "fuzzy fuzzy was a bear"))
84 100 84 84 100
all_df['Decision'] = all_df['Decision'].fillna("")
all_df_pr = all_df.copy()
for row in all_df['Decision'].unique():
for row2 in all_df['Decision'].unique():
#print(row, row2)
matching_result = fuzz.partial_ratio(row, row2) # could be ratio, partial_ratio, token_set_ratio, token_sort_ratio
if matching_result > 80:
#print(matching_result)
#Combine if match found
all_df_pr['Decision'][all_df_pr['Decision'] == row2] = row
print(all_df_pr['Decision'].value_counts())
print(len(all_df_pr['Decision'].unique()))
Disclosed in Part: Partially Exempt 6208
All Disclosed 2847
No Records Exist 1358
Nothing Disclosed 291
Request withdrawn 256
Disclosed in part/ partly exempt 198
Transferred Out in Full 168
No information disclosed 80
Non-existent 35
Abandoned/Withdrawn by Applicant 29
25
Forwarded out 15
Correction refused 3
Correction made in part 3
Not Applicable 2
Deemed Refusal 1
Correction granted 1
Statement of disagreement filed 1
Name: Decision, dtype: int64
18
all_df_pr['Decision'].loc[all_df_pr['Decision'] == "Non-existent"] = "No Records Exist"
all_df_pr['Decision'].loc[all_df_pr['Decision'] == "No information disclosed "] = "Nothing Disclosed"
all_df_pr['Decision'].loc[all_df_pr['Decision'] == "Disclosed in part/ partly exempt"] = " Disclosed in Part: Partially Exempt"
all_df_pr['Decision'].value_counts()
Disclosed in Part: Partially Exempt 6406
All Disclosed 2847
No Records Exist 1393
Nothing Disclosed 371
Request withdrawn 256
Transferred Out in Full 168
Abandoned/Withdrawn by Applicant 29
25
Forwarded out 15
Correction made in part 3
Correction refused 3
Not Applicable 2
Deemed Refusal 1
Correction granted 1
Statement of disagreement filed 1
Name: Decision, dtype: int64
all_df_top6 = all_df_pr.groupby('Decision').filter(lambda x: len(x) > 100)
print(all_df_top6['Decision'].value_counts())
categories = all_df_top6['Decision'].value_counts().index.tolist()
Disclosed in Part: Partially Exempt 6406 All Disclosed 2847 No Records Exist 1393 Nothing Disclosed 371 Request withdrawn 256 Transferred Out in Full 168 Name: Decision, dtype: int64
%matplotlib inline
fig = plt.figure(figsize=(8,6))
all_df_top6.groupby('Decision').Summary_of_Request.count().plot.bar(ylim=0)
plt.show()
from sklearn.feature_extraction.text import TfidfVectorizer
tfidf = TfidfVectorizer(tokenizer=tokenizeText, sublinear_tf=True, min_df=5, norm='l2',
encoding='latin-1', ngram_range=(1,2), stop_words='english')
#tfidf.fit(all_df_top6.Summary_of_Request)
features = tfidf.fit_transform(all_df_top6.Summary_of_Request).toarray()
#print(tfidf.vocabulary_)
#print(tfidf.get_feature_names())
labels = all_df_top6.category_id
/anaconda3/lib/python3.7/site-packages/sklearn/feature_extraction/text.py:300: UserWarning: Your stop_words may be inconsistent with your preprocessing. Tokenizing the stop words generated tokens ['3', 'far', 'good', 'little', 'make', '\ufeff1'] not in stop_words. 'stop_words.' % sorted(inconsistent))
from imblearn.over_sampling import RandomOverSampler, SMOTE
X_resampled, y_resampled = SMOTE().fit_resample(features, labels)
from collections import Counter
print(sorted(Counter(y_resampled).items()))
[(0, 6406), (1, 6406), (2, 6406), (3, 6406), (4, 6406), (5, 6406)]
from sklearn.model_selection import train_test_split
from sklearn.feature_extraction.text import CountVectorizer
from sklearn.feature_extraction.text import TfidfTransformer
X_train, X_test, y_train, y_test = train_test_split(all_df_top6['Summary_of_Request'], all_df_top6['Decision'], test_size=0.33, random_state=42, shuffle=True)
X_train_upsampled, X_test_upsampled, y_train_upsampled, y_test_upsampled = train_test_split(X_resampled, y_resampled, test_size=0.33, random_state=42, shuffle=True)
from sklearn.naive_bayes import MultinomialNB
from sklearn.svm import LinearSVC
from sklearn.ensemble import RandomForestClassifier
from sklearn.linear_model import LogisticRegression
from sklearn.model_selection import cross_val_score
models = [
RandomForestClassifier(n_estimators=200, max_depth=3,
random_state=0), #, class_weight='balanced'),
LinearSVC(), #class_weight='balanced'),
MultinomialNB(),
LogisticRegression(random_state=0)#, class_weight='balanced'),
]
CV=5
cv_df = pd.DataFrame(index=range(CV * len(models)))
entries=[]
for model in models:
model_name = model.__class__.__name__
accuracies = cross_val_score(model, X_resampled, y_resampled,
scoring='accuracy', cv=CV)
for fold_idx, accuracy in enumerate(accuracies):
entries.append((model_name, fold_idx, accuracy))
cv_df = pd.DataFrame(entries, columns=['model_name', 'fold_idx', 'accuracy'])
/anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning. FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:460: FutureWarning: Default multi_class will be changed to 'auto' in 0.22. Specify the multi_class option to silence this warning. "this warning.", FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning. FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:460: FutureWarning: Default multi_class will be changed to 'auto' in 0.22. Specify the multi_class option to silence this warning. "this warning.", FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning. FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:460: FutureWarning: Default multi_class will be changed to 'auto' in 0.22. Specify the multi_class option to silence this warning. "this warning.", FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning. FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:460: FutureWarning: Default multi_class will be changed to 'auto' in 0.22. Specify the multi_class option to silence this warning. "this warning.", FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning. FutureWarning) /anaconda3/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:460: FutureWarning: Default multi_class will be changed to 'auto' in 0.22. Specify the multi_class option to silence this warning. "this warning.", FutureWarning)
import seaborn as sns
sns.boxplot(x='model_name', y='accuracy', data=cv_df)
sns.stripplot(x='model_name', y='accuracy', data=cv_df,
size=8, jitter=True, edgecolor="gray", linewidth=2)
plt.show()
print(cv_df.groupby('model_name').accuracy.mean())
model_name LinearSVC 0.870466 LogisticRegression 0.819863 MultinomialNB 0.767568 RandomForestClassifier 0.501149 Name: accuracy, dtype: float64
one classifier per class
ease of use in interpretability
reasonably efficient for small number of classes
assumes every label is independent; safe?
from sklearn.metrics import accuracy_score
LSVC_pipeline = Pipeline([
#('tfidf', TfidfVectorizer(tokenizer=tokenizeText, stop_words='english')),
('clf', OneVsRestClassifier(LinearSVC())),
])
for decision in range(len(categories)):
print(categories[decision])
LSVC_pipeline.fit(X_train_upsampled, y_train_dums_ups[decision])
prediction = LSVC_pipeline.predict(X_test_upsampled)
print('Test accuracy is {}'.format(accuracy_score(y_test_dums_ups[decision], prediction)))
Disclosed in Part: Partially Exempt Test accuracy is 0.9102806685588143 All Disclosed Test accuracy is 0.9511983601387575 No Records Exist Test accuracy is 0.9046042257962787 Nothing Disclosed Test accuracy is 0.9869126458530432 Request withdrawn Test accuracy is 0.9943235572374646 Transferred Out in Full Test accuracy is 0.999605802585935
Can use techniques similar to sentiment classification; i.e. a many-to-one RNN where each request is assigned to one decision
RNNs are useful for finding patterns in sequences; i.e. given this request as input, what decision would we expect to follow?
import numpy as np
from keras.models import Sequential, Model
from keras.layers import Dense, Embedding, LSTM, GRU, Flatten, Input, Bidirectional, GlobalMaxPooling1D, Dropout
from keras.layers.embeddings import Embedding
from keras.initializers import Constant
from keras.preprocessing.text import Tokenizer
from keras.preprocessing.sequence import pad_sequences
from keras.callbacks import EarlyStopping, ModelCheckpoint, Callback
Using TensorFlow backend.
num_classes = 6
embedding_dim = 300
epochs = 50
batch_size = 128
max_len = 40
class_weights = {0: 2.25,
1: 5,
2: 1,
3: 25,
4: 17,
5: 38}
X_train, X_test, y_train, y_test = train_test_split(all_df_top6['Summary_of_Request'], new_y, test_size = 0.33)
embeddings_index = {}
# Download this file first
f = open("/Users/sjones/Google Drive/foi-kw/glove.6B.300d.txt", encoding="utf8")
for line in f:
values = line.split()
word = ''.join(values[:-embedding_dim])
coefs = np.asarray(values[-embedding_dim:], dtype="float32")
embeddings_index[word] = coefs
f.close()
tokenizer = Tokenizer(num_words = None)
tokenizer.fit_on_texts(X_train)
sequences_train = tokenizer.texts_to_sequences(X_train)
X_train = pad_sequences(sequences_train, maxlen=max_len)
sequences_val = tokenizer.texts_to_sequences(X_test)
X_test = pad_sequences(sequences_val, maxlen=max_len)
word_index = tokenizer.word_index
#create embedding layer
embedding_matrix = np.zeros((len(word_index) + 1, embedding_dim))
for word, i in word_index.items():
embedding_vector = embeddings_index.get(word)
if embedding_vector is not None:
embedding_matrix[i] = embedding_vector
input= Input(shape=(max_len, ), dtype = 'int32')
embedding_layer = Embedding(len(word_index) + 1, embedding_dim, embeddings_initializer=Constant(embedding_matrix), input_length=max_len, trainable=False)
embedded_sequences = embedding_layer(input)
x = Bidirectional(GRU(units=32, return_sequences=True))(embedded_sequences)
x = GlobalMaxPooling1D()(x)
x = Dense(50, activation = 'relu')(x)
x = Dropout(0.2)(x)
output = Dense(num_classes, activation='softmax')(x)
model = Model(inputs=input, outputs=output)
model.compile(loss="categorical_crossentropy", optimizer='adam', metrics=['accuracy'])
print(model.summary())
WARNING:tensorflow:From /anaconda3/lib/python3.7/site-packages/tensorflow/python/framework/op_def_library.py:263: colocate_with (from tensorflow.python.framework.ops) is deprecated and will be removed in a future version. Instructions for updating: Colocations handled automatically by placer. WARNING:tensorflow:From /anaconda3/lib/python3.7/site-packages/keras/backend/tensorflow_backend.py:3445: calling dropout (from tensorflow.python.ops.nn_ops) with keep_prob is deprecated and will be removed in a future version. Instructions for updating: Please use `rate` instead of `keep_prob`. Rate should be set to `rate = 1 - keep_prob`. _________________________________________________________________ Layer (type) Output Shape Param # ================================================================= input_2 (InputLayer) (None, 40) 0 _________________________________________________________________ embedding_1 (Embedding) (None, 40, 300) 3009000 _________________________________________________________________ bidirectional_1 (Bidirection (None, 40, 64) 63936 _________________________________________________________________ global_max_pooling1d_1 (Glob (None, 64) 0 _________________________________________________________________ dense_1 (Dense) (None, 50) 3250 _________________________________________________________________ dropout_1 (Dropout) (None, 50) 0 _________________________________________________________________ dense_2 (Dense) (None, 6) 306 ================================================================= Total params: 3,076,492 Trainable params: 67,492 Non-trainable params: 3,009,000 _________________________________________________________________ None
import matplotlib.pyplot as plt
checkpoint = ModelCheckpoint("/content/drive/My Drive/foi-kw/colab/models/model.h5", monitor='val_loss', verbose=1, save_best_only=True, mode='min')
early = EarlyStopping(monitor='val_loss', mode='min', patience=3)
callback = [checkpoint, early]
history = model.fit(X_train, y_train, batch_size=batch_size, epochs=epochs, validation_data=(X_test, y_test), callbacks=callback, class_weight=class_weights)
loss, accuracy = model.evaluate(X_train, y_train, verbose=0)
print('Accuracy: %f' % (accuracy*100))
print(history.history.keys())
# Plot history for accuracy
plt.plot(history.history['acc'])
plt.plot(history.history['val_acc'])
plt.title('model accuracy')
plt.ylabel('accuracy')
plt.xlabel('epoch')
plt.legend(['train', 'test'], loc='upper left')
plt.show()
plt.savefig("/content/drive/My Drive/foi-kw/article_figures/RNN_accuracy.png")
# Plot history for loss
plt.plot(history.history['loss'])
plt.plot(history.history['val_loss'])
plt.title('model loss')
plt.ylabel('loss')
plt.xlabel('epoch')
plt.legend(['train', 'test'], loc='upper left')
plt.show()
plt.savefig("/content/drive/My Drive/foi-kw/article_figures/RNN_loss.png")
model.reset_states()


Writing simple html form for testing/productionization
Get algorithm running on GCP (tuned RNN or not)
see if of any use to any municipality!